Skip to content

Latest commit

 

History

History
1290 lines (1097 loc) · 67.9 KB

news.rst

File metadata and controls

1290 lines (1097 loc) · 67.9 KB

Release notes

1.0 (2015-06-19)

You will find a lot of new features and bugfixes in this major release. Make sure to check our updated overview <intro-overview> to get a glance of some of the changes, along with our brushed tutorial <intro-tutorial>.

Support for returning dictionaries in spiders

Declaring and returning Scrapy Items is no longer necessary to collect the scraped data from your spider, you can now return explicit dictionaries instead.

Classic version

class MyItem(scrapy.Item):
    url = scrapy.Field()

class MySpider(scrapy.Spider):
    def parse(self, response):
        return MyItem(url=response.url)

New version

class MySpider(scrapy.Spider):
    def parse(self, response):
        return {'url': response.url}

Per-spider settings (GSoC 2014)

Last Google Summer of Code project accomplished an important redesign of the mechanism used for populating settings, introducing explicit priorities to override any given setting. As an extension of that goal, we included a new level of priority for settings that act exclusively for a single spider, allowing them to redefine project settings.

Start using it by defining a ~scrapy.spiders.Spider.custom_settings class variable in your spider:

class MySpider(scrapy.Spider):
    custom_settings = {
        "DOWNLOAD_DELAY": 5.0,
        "RETRY_ENABLED": False,
    }

Read more about settings population: topics-settings

Python Logging

Scrapy 1.0 has moved away from Twisted logging to support Python built in’s as default logging system. We’re maintaining backward compatibility for most of the old custom interface to call logging functions, but you’ll get warnings to switch to the Python logging API entirely.

Old version

from scrapy import log
log.msg('MESSAGE', log.INFO)

New version

import logging
logging.info('MESSAGE')

Logging with spiders remains the same, but on top of the ~scrapy.spiders.Spider.log method you’ll have access to a custom ~scrapy.spiders.Spider.logger created for the spider to issue log events:

class MySpider(scrapy.Spider):
    def parse(self, response):
        self.logger.info('Response received')

Read more in the logging documentation: topics-logging

Crawler API refactoring (GSoC 2014)

Another milestone for last Google Summer of Code was a refactoring of the internal API, seeking a simpler and easier usage. Check new core interface in: topics-api

A common situation where you will face these changes is while running Scrapy from scripts. Here’s a quick example of how to run a Spider manually with the new API:

from scrapy.crawler import CrawlerProcess

process = CrawlerProcess({
    'USER_AGENT': 'Mozilla/4.0 (compatible; MSIE 7.0; Windows NT 5.1)'
})
process.crawl(MySpider)
process.start()

Bear in mind this feature is still under development and its API may change until it reaches a stable status.

See more examples for scripts running Scrapy: topics-practices

Module Relocations

There’s been a large rearrangement of modules trying to improve the general structure of Scrapy. Main changes were separating various subpackages into new projects and dissolving both scrapy.contrib and scrapy.contrib_exp into top level packages. Backward compatibility was kept among internal relocations, while importing deprecated modules expect warnings indicating their new place.

Full list of relocations

Outsourced packages

Note

These extensions went through some minor changes, e.g. some setting names were changed. Please check the documentation in each new repository to get familiar with the new usage.

Old location New location
scrapy.commands.deploy scrapyd-client <https://github.com /scrapy/scrapyd-client> (See other alternatives here: topics-deploy)
scrapy.contrib.djangoitem scrapy-djangoitem <https://github. com/scrapy/scrapy-djangoitem>
scrapy.webservice scrapy-jsonrpc <https://github.com /scrapy/scrapy-jsonrpc>

scrapy.contrib_exp and scrapy.contrib dissolutions

Old location New location
scrapy.contrib_exp.downloadermiddleware.decompression scrapy.downloadermiddlewares.decompression
scrapy.contrib_exp.iterators scrapy.utils.iterators
scrapy.contrib.downloadermiddleware scrapy.downloadermiddlewares
scrapy.contrib.exporter scrapy.exporters
scrapy.contrib.linkextractors scrapy.linkextractors
scrapy.contrib.loader scrapy.loader
scrapy.contrib.loader.processor scrapy.loader.processors
scrapy.contrib.pipeline scrapy.pipelines
scrapy.contrib.spidermiddleware scrapy.spidermiddlewares
scrapy.contrib.spiders scrapy.spiders
  • scrapy.contrib.closespider
  • scrapy.contrib.corestats
  • scrapy.contrib.debug
  • scrapy.contrib.feedexport
  • scrapy.contrib.httpcache
  • scrapy.contrib.logstats
  • scrapy.contrib.memdebug
  • scrapy.contrib.memusage
  • scrapy.contrib.spiderstate
  • scrapy.contrib.statsmailer
  • scrapy.contrib.throttle
scrapy.extensions.*

Plural renames and Modules unification

Old location New location
scrapy.command scrapy.commands
scrapy.dupefilter scrapy.dupefilters
scrapy.linkextractor scrapy.linkextractors
scrapy.spider scrapy.spiders
scrapy.squeue scrapy.squeues
scrapy.statscol scrapy.statscollectors
scrapy.utils.decorator scrapy.utils.decorators

Class renames

Old location New location
scrapy.spidermanager.SpiderManager scrapy.spiderloader.SpiderLoader

Settings renames

Old location New location
SPIDER_MANAGER_CLASS SPIDER_LOADER_CLASS

Changelog

New Features and Enhancements

  • Python logging (1060, 1235, 1236, 1240, 1259, 1278, 1286)
  • FEED_EXPORT_FIELDS option (1159, 1224)
  • Dns cache size and timeout options (1132)
  • support namespace prefix in xmliter_lxml (963)
  • Reactor threadpool max size setting (1123)
  • Allow spiders to return dicts. (1081)
  • Add Response.urljoin() helper (1086)
  • look in ~/.config/scrapy.cfg for user config (1098)
  • handle TLS SNI (1101)
  • Selectorlist extract first (624, 1145)
  • Added JmesSelect (1016)
  • add gzip compression to filesystem http cache backend (1020)
  • CSS support in link extractors (983)
  • httpcache dont_cache meta #19 #689 (821)
  • add signal to be sent when request is dropped by the scheduler (961)
  • avoid download large response (946)
  • Allow to specify the quotechar in CSVFeedSpider (882)
  • Add referer to "Spider error processing" log message (795)
  • process robots.txt once (896)
  • GSoC Per-spider settings (854)
  • Add project name validation (817)
  • GSoC API cleanup (816, 1128, 1147, 1148, 1156, 1185, 1187, 1258, 1268, 1276, 1285, 1284)
  • Be more responsive with IO operations (1074 and 1075)
  • Do leveldb compaction for httpcache on closing (1297)

Deprecations and Removals

  • Deprecate htmlparser link extractor (1205)
  • remove deprecated code from FeedExporter (1155)
  • a leftover for.15 compatibility (925)
  • drop support for CONCURRENT_REQUESTS_PER_SPIDER (895)
  • Drop old engine code (911)
  • Deprecate SgmlLinkExtractor (777)

Relocations

  • Move exporters/__init__.py to exporters.py (1242)
  • Move base classes to their packages (1218, 1233)
  • Module relocation (1181, 1210)
  • rename SpiderManager to SpiderLoader (1166)
  • Remove djangoitem (1177)
  • remove scrapy deploy command (1102)
  • dissolve contrib_exp (1134)
  • Deleted bin folder from root, fixes #913 (914)
  • Remove jsonrpc based webservice (859)
  • Move Test cases under project root dir (827, 841)
  • Fix backward incompatibility for relocated paths in settings (1267)

Documentation

  • CrawlerProcess documentation (1190)
  • Favoring web scraping over screen scraping in the descriptions (1188)
  • Some improvements for Scrapy tutorial (1180)
  • Documenting Files Pipeline together with Images Pipeline (1150)
  • deployment docs tweaks (1164)
  • Added deployment section covering scrapyd-deploy and shub (1124)
  • Adding more settings to project template (1073)
  • some improvements to overview page (1106)
  • Updated link in docs/topics/architecture.rst (647)
  • DOC reorder topics (1022)
  • updating list of Request.meta special keys (1071)
  • DOC document download_timeout (898)
  • DOC simplify extension docs (893)
  • Leaks docs (894)
  • DOC document from_crawler method for item pipelines (904)
  • Spider_error doesn't support deferreds (1292)
  • Corrections & Sphinx related fixes (1220, 1219, 1196, 1172, 1171, 1169, 1160, 1154, 1127, 1112, 1105, 1041, 1082, 1033, 944, 866, 864, 796, 1260, 1271, 1293, 1298)

Bugfixes

  • Item multi inheritance fix (353, 1228)
  • ItemLoader.load_item: iterate over copy of fields (722)
  • Fix Unhandled error in Deferred (RobotsTxtMiddleware) (1131, 1197)
  • Force to read DOWNLOAD_TIMEOUT as int (954)
  • scrapy.utils.misc.load_object should print full traceback (902)
  • Fix bug for ".local" host name (878)
  • Fix for Enabled extensions, middlewares, pipelines info not printed anymore (879)
  • fix dont_merge_cookies bad behaviour when set to false on meta (846)

Python 3 In Progress Support

  • disable scrapy.telnet if twisted.conch is not available (1161)
  • fix Python 3 syntax errors in ajaxcrawl.py (1162)
  • more python3 compatibility changes for urllib (1121)
  • assertItemsEqual was renamed to assertCountEqual in Python 3. (1070)
  • Import unittest.mock if available. (1066)
  • updated deprecated cgi.parse_qsl to use six's parse_qsl (909)
  • Prevent Python 3 port regressions (830)
  • PY3: use MutableMapping for python 3 (810)
  • PY3: use six.BytesIO and six.moves.cStringIO (803)
  • PY3: fix xmlrpclib and email imports (801)
  • PY3: use six for robotparser and urlparse (800)
  • PY3: use six.iterkeys, six.iteritems, and tempfile (799)
  • PY3: fix has_key and use six.moves.configparser (798)
  • PY3: use six.moves.cPickle (797)
  • PY3 make it possible to run some tests in Python3 (776)

Tests

  • remove unnecessary lines from py3-ignores (1243)
  • Fix remaining warnings from pytest while collecting tests (1206)
  • Add docs build to travis (1234)
  • TST don't collect tests from deprecated modules. (1165)
  • install service_identity package in tests to prevent warnings (1168)
  • Fix deprecated settings API in tests (1152)
  • Add test for webclient with POST method and no body given (1089)
  • py3-ignores.txt supports comments (1044)
  • modernize some of the asserts (835)
  • selector.__repr__ test (779)

Code refactoring

  • CSVFeedSpider cleanup: use iterate_spider_output (1079)
  • remove unnecessary check from scrapy.utils.spider.iter_spider_output (1078)
  • Pydispatch pep8 (992)
  • Removed unused 'load=False' parameter from walk_modules() (871)
  • For consistency, use job_dir helper in SpiderState extension. (805)
  • rename "sflo" local variables to less cryptic "log_observer" (775)

0.24.6 (2015-04-20)

  • encode invalid xpath with unicode_escape under PY2 (07cb3e5)
  • fix IPython shell scope issue and load IPython user config (2c8e573)
  • Fix small typo in the docs (d694019)
  • Fix small typo (f92fa83)
  • Converted sel.xpath() calls to response.xpath() in Extracting the data (c2c6d15)

0.24.5 (2015-02-25)

  • Support new _getEndpoint Agent signatures on Twisted 15.0.0 (540b9bc)
  • DOC a couple more references are fixed (b4c454b)
  • DOC fix a reference (e3c1260)
  • t.i.b.ThreadedResolver is now a new-style class (9e13f42)
  • S3DownloadHandler: fix auth for requests with quoted paths/query params (cdb9a0b)
  • fixed the variable types in mailsender documentation (bb3a848)
  • Reset items_scraped instead of item_count (edb07a4)
  • Tentative attention message about what document to read for contributions (7ee6f7a)
  • mitmproxy 0.10.1 needs netlib 0.10.1 too (874fcdd)
  • pin mitmproxy 0.10.1 as >0.11 does not work with tests (c6b21f0)
  • Test the parse command locally instead of against an external url (c3a6628)
  • Patches Twisted issue while closing the connection pool on HTTPDownloadHandler (d0bf957)
  • Updates documentation on dynamic item classes. (eeb589a)
  • Merge pull request #943 from Lazar-T/patch-3 (5fdab02)
  • typo (b0ae199)
  • pywin32 is required by Twisted. closes #937 (5cb0cfb)
  • Update install.rst (781286b)
  • Merge pull request #928 from Lazar-T/patch-1 (b415d04)
  • comma instead of fullstop (627b9ba)
  • Merge pull request #885 from jsma/patch-1 (de909ad)
  • Update request-response.rst (3f3263d)
  • SgmlLinkExtractor - fix for parsing <area> tag with Unicode present (49b40f0)

0.24.4 (2014-08-09)

  • pem file is used by mockserver and required by scrapy bench (5eddc68)
  • scrapy bench needs scrapy.tests* (d6cb999)

0.24.3 (2014-08-09)

  • no need to waste travis-ci time on py3 for 0.24 (8e080c1)
  • Update installation docs (1d0c096)
  • There is a trove classifier for Scrapy framework! (4c701d7)
  • update other places where w3lib version is mentioned (d109c13)
  • Update w3lib requirement to 1.8.0 (39d2ce5)
  • Use w3lib.html.replace_entities() (remove_entities() is deprecated) (180d3ad)
  • set zip_safe=False (a51ee8b)
  • do not ship tests package (ee3b371)
  • scrapy.bat is not needed anymore (c3861cf)
  • Modernize setup.py (362e322)
  • headers can not handle non-string values (94a5c65)
  • fix ftp test cases (a274a7f)
  • The sum up of travis-ci builds are taking like 50min to complete (ae1e2cc)
  • Update shell.rst typo (e49c96a)
  • removes weird indentation in the shell results (1ca489d)
  • improved explanations, clarified blog post as source, added link for XPath string functions in the spec (65c8f05)
  • renamed UserTimeoutError and ServerTimeouterror #583 (037f6ab)
  • adding some xpath tips to selectors docs (2d103e0)
  • fix tests to account for scrapy/w3lib#23 (f8d366a)
  • get_func_args maximum recursion fix #728 (81344ea)
  • Updated input/ouput processor example according to #560. (f7c4ea8)
  • Fixed Python syntax in tutorial. (db59ed9)
  • Add test case for tunneling proxy (f090260)
  • Bugfix for leaking Proxy-Authorization header to remote host when using tunneling (d8793af)
  • Extract links from XHTML documents with MIME-Type "application/xml" (ed1f376)
  • Merge pull request #793 from roysc/patch-1 (91a1106)
  • Fix typo in commands.rst (743e1e2)
  • better testcase for settings.overrides.setdefault (e22daaf)
  • Using CRLF as line marker according to http 1.1 definition (5ec430b)

0.24.2 (2014-07-08)

  • Use a mutable mapping to proxy deprecated settings.overrides and settings.defaults attribute (e5e8133)
  • there is not support for python3 yet (3cd6146)
  • Update python compatible version set to debian packages (fa5d76b)
  • DOC fix formatting in release notes (c6a9e20)

0.24.1 (2014-06-27)

  • Fix deprecated CrawlerSettings and increase backwards compatibility with .defaults attribute (8e3f20a)

0.24.0 (2014-06-26)

Enhancements

  • Improve Scrapy top-level namespace (494, 684)
  • Add selector shortcuts to responses (554, 690)
  • Add new lxml based LinkExtractor to replace unmantained SgmlLinkExtractor (559, 761, 763)
  • Cleanup settings API - part of per-spider settings GSoC project (737)
  • Add UTF8 encoding header to templates (688, 762)
  • Telnet console now binds to 127.0.0.1 by default (699)
  • Update debian/ubuntu install instructions (509, 549)
  • Disable smart strings in lxml XPath evaluations (535)
  • Restore filesystem based cache as default for http cache middleware (541, 500, 571)
  • Expose current crawler in Scrapy shell (557)
  • Improve testsuite comparing CSV and XML exporters (570)
  • New offsite/filtered and offsite/domains stats (566)
  • Support process_links as generator in CrawlSpider (555)
  • Verbose logging and new stats counters for DupeFilter (553)
  • Add a mimetype parameter to MailSender.send() (602)
  • Generalize file pipeline log messages (622)
  • Replace unencodeable codepoints with html entities in SGMLLinkExtractor (565)
  • Converted SEP documents to rst format (629, 630, 638, 632, 636, 640, 635, 634, 639, 637, 631, 633, 641, 642)
  • Tests and docs for clickdata's nr index in FormRequest (646, 645)
  • Allow to disable a downloader handler just like any other component (650)
  • Log when a request is discarded after too many redirections (654)
  • Log error responses if they are not handled by spider callbacks (612, 656)
  • Add content-type check to http compression mw (193, 660)
  • Run pypy tests using latest pypi from ppa (674)
  • Run test suite using pytest instead of trial (679)
  • Build docs and check for dead links in tox environment (687)
  • Make scrapy.version_info a tuple of integers (681, 692)
  • Infer exporter's output format from filename extensions (546, 659, 760)
  • Support case-insensitive domains in url_is_from_any_domain() (693)
  • Remove pep8 warnings in project and spider templates (698)
  • Tests and docs for request_fingerprint function (597)
  • Update SEP-19 for GSoC project per-spider settings (705)
  • Set exit code to non-zero when contracts fails (727)
  • Add a setting to control what class is instanciated as Downloader component (738)
  • Pass response in item_dropped signal (724)
  • Improve scrapy check contracts command (733, 752)
  • Document spider.closed() shortcut (719)
  • Document request_scheduled signal (746)
  • Add a note about reporting security issues (697)
  • Add LevelDB http cache storage backend (626, 500)
  • Sort spider list output of scrapy list command (742)
  • Multiple documentation enhancemens and fixes (575, 587, 590, 596, 610, 617, 618, 627, 613, 643, 654, 675, 663, 711, 714)

Bugfixes

  • Encode unicode URL value when creating Links in RegexLinkExtractor (561)
  • Ignore None values in ItemLoader processors (556)
  • Fix link text when there is an inner tag in SGMLLinkExtractor and HtmlParserLinkExtractor (485, 574)
  • Fix wrong checks on subclassing of deprecated classes (581, 584)
  • Handle errors caused by inspect.stack() failures (582)
  • Fix a reference to unexistent engine attribute (593, 594)
  • Fix dynamic itemclass example usage of type() (603)
  • Use lucasdemarchi/codespell to fix typos (628)
  • Fix default value of attrs argument in SgmlLinkExtractor to be tuple (661)
  • Fix XXE flaw in sitemap reader (676)
  • Fix engine to support filtered start requests (707)
  • Fix offsite middleware case on urls with no hostnames (745)
  • Testsuite doesn't require PIL anymore (585)

0.22.2 (released 2014-02-14)

  • fix a reference to unexistent engine.slots. closes #593 (13c099a)
  • downloaderMW doc typo (spiderMW doc copy remnant) (8ae11bf)
  • Correct typos (1346037)

0.22.1 (released 2014-02-08)

  • localhost666 can resolve under certain circumstances (2ec2279)
  • test inspect.stack failure (cc3eda3)
  • Handle cases when inspect.stack() fails (8cb44f9)
  • Fix wrong checks on subclassing of deprecated classes. closes #581 (46d98d6)
  • Docs: 4-space indent for final spider example (13846de)
  • Fix HtmlParserLinkExtractor and tests after #485 merge (368a946)
  • BaseSgmlLinkExtractor: Fixed the missing space when the link has an inner tag (b566388)
  • BaseSgmlLinkExtractor: Added unit test of a link with an inner tag (c1cb418)
  • BaseSgmlLinkExtractor: Fixed unknown_endtag() so that it only set current_link=None when the end tag match the opening tag (7e4d627)
  • Fix tests for Travis-CI build (76c7e20)
  • replace unencodeable codepoints with html entities. fixes #562 and #285 (5f87b17)
  • RegexLinkExtractor: encode URL unicode value when creating Links (d0ee545)
  • Updated the tutorial crawl output with latest output. (8da65de)
  • Updated shell docs with the crawler reference and fixed the actual shell output. (875b9ab)
  • PEP8 minor edits. (f89efaf)
  • Expose current crawler in the scrapy shell. (5349cec)
  • Unused re import and PEP8 minor edits. (387f414)
  • Ignore None's values when using the ItemLoader. (0632546)
  • DOC Fixed HTTPCACHE_STORAGE typo in the default value which is now Filesystem instead Dbm. (cde9a8c)
  • show ubuntu setup instructions as literal code (fb5c9c5)
  • Update Ubuntu installation instructions (70fb105)
  • Merge pull request #550 from stray-leone/patch-1 (6f70b6a)
  • modify the version of scrapy ubuntu package (725900d)
  • fix 0.22.0 release date (af0219a)
  • fix typos in news.rst and remove (not released yet) header (b7f58f4)

0.22.0 (released 2014-01-17)

Enhancements

  • [Backwards incompatible] Switched HTTPCacheMiddleware backend to filesystem (541) To restore old backend set HTTPCACHE_STORAGE to scrapy.contrib.httpcache.DbmCacheStorage
  • Proxy https:// urls using CONNECT method (392, 397)
  • Add a middleware to crawl ajax crawleable pages as defined by google (343)
  • Rename scrapy.spider.BaseSpider to scrapy.spider.Spider (510, 519)
  • Selectors register EXSLT namespaces by default (472)
  • Unify item loaders similar to selectors renaming (461)
  • Make RFPDupeFilter class easily subclassable (533)
  • Improve test coverage and forthcoming Python 3 support (525)
  • Promote startup info on settings and middleware to INFO level (520)
  • Support partials in get_func_args util (506, issue:504)
  • Allow running indiviual tests via tox (503)
  • Update extensions ignored by link extractors (498)
  • Add middleware methods to get files/images/thumbs paths (490)
  • Improve offsite middleware tests (478)
  • Add a way to skip default Referer header set by RefererMiddleware (475)
  • Do not send x-gzip in default Accept-Encoding header (469)
  • Support defining http error handling using settings (466)
  • Use modern python idioms wherever you find legacies (497)
  • Improve and correct documentation (527, 524, 521, 517, 512, 505, 502, 489, 465, 460, 425, 536)

Fixes

  • Update Selector class imports in CrawlSpider template (484)
  • Fix unexistent reference to engine.slots (464)
  • Do not try to call body_as_unicode() on a non-TextResponse instance (462)
  • Warn when subclassing XPathItemLoader, previously it only warned on instantiation. (523)
  • Warn when subclassing XPathSelector, previously it only warned on instantiation. (537)
  • Multiple fixes to memory stats (531, 530, 529)
  • Fix overriding url in FormRequest.from_response() (507)
  • Fix tests runner under pip 1.5 (513)
  • Fix logging error when spider name is unicode (479)

0.20.2 (released 2013-12-09)

  • Update CrawlSpider Template with Selector changes (6d1457d)
  • fix method name in tutorial. closes GH-480 (b4fc359

0.20.1 (released 2013-11-28)

  • include_package_data is required to build wheels from published sources (5ba1ad5)
  • process_parallel was leaking the failures on its internal deferreds. closes #458 (419a780)

0.20.0 (released 2013-11-08)

Enhancements

  • New Selector's API including CSS selectors (395 and 426),
  • Request/Response url/body attributes are now immutable (modifying them had been deprecated for a long time)
  • ITEM_PIPELINES is now defined as a dict (instead of a list)
  • Sitemap spider can fetch alternate URLs (360)
  • Selector.remove_namespaces() now remove namespaces from element's attributes. (416)
  • Paved the road for Python 3.3+ (435, 436, 431, 452)
  • New item exporter using native python types with nesting support (366)
  • Tune HTTP1.1 pool size so it matches concurrency defined by settings (b43b5f575)
  • scrapy.mail.MailSender now can connect over TLS or upgrade using STARTTLS (327)
  • New FilesPipeline with functionality factored out from ImagesPipeline (370, 409)
  • Recommend Pillow instead of PIL for image handling (317)
  • Added debian packages for Ubuntu quantal and raring (86230c0)
  • Mock server (used for tests) can listen for HTTPS requests (410)
  • Remove multi spider support from multiple core components (422, 421, 420, 419, 423, 418)
  • Travis-CI now tests Scrapy changes against development versions of w3lib and queuelib python packages.
  • Add pypy 2.1 to continuous integration tests (ecfa7431)
  • Pylinted, pep8 and removed old-style exceptions from source (430, 432)
  • Use importlib for parametric imports (445)
  • Handle a regression introduced in Python 2.7.5 that affects XmlItemExporter (372)
  • Bugfix crawling shutdown on SIGINT (450)
  • Do not submit reset type inputs in FormRequest.from_response (b326b87)
  • Do not silence download errors when request errback raises an exception (684cfc0)

Bugfixes

  • Fix tests under Django 1.6 (b6bed44c)
  • Lot of bugfixes to retry middleware under disconnections using HTTP 1.1 download handler
  • Fix inconsistencies among Twisted releases (406)
  • Fix scrapy shell bugs (418, 407)
  • Fix invalid variable name in setup.py (429)
  • Fix tutorial references (387)
  • Improve request-response docs (391)
  • Improve best practices docs (399, 400, 401, 402)
  • Improve django integration docs (404)
  • Document bindaddress request meta (37c24e01d7)
  • Improve Request class documentation (226)

Other

  • Dropped Python 2.6 support (448)
  • Add cssselect python package as install dependency
  • Drop libxml2 and multi selector's backend support, lxml is required from now on.
  • Minimum Twisted version increased to 10.0.0, dropped Twisted 8.0 support.
  • Running test suite now requires mock python library (390)

Thanks

Thanks to everyone who contribute to this release!

List of contributors sorted by number of commits:

69 Daniel Graña <dangra@...>
37 Pablo Hoffman <pablo@...>
13 Mikhail Korobov <kmike84@...>
 9 Alex Cepoi <alex.cepoi@...>
 9 alexanderlukanin13 <alexander.lukanin.13@...>
 8 Rolando Espinoza La fuente <darkrho@...>
 8 Lukasz Biedrycki <lukasz.biedrycki@...>
 6 Nicolas Ramirez <nramirez.uy@...>
 3 Paul Tremberth <paul.tremberth@...>
 2 Martin Olveyra <molveyra@...>
 2 Stefan <misc@...>
 2 Rolando Espinoza <darkrho@...>
 2 Loren Davie <loren@...>
 2 irgmedeiros <irgmedeiros@...>
 1 Stefan Koch <taikano@...>
 1 Stefan <cct@...>
 1 scraperdragon <dragon@...>
 1 Kumara Tharmalingam <ktharmal@...>
 1 Francesco Piccinno <stack.box@...>
 1 Marcos Campal <duendex@...>
 1 Dragon Dave <dragon@...>
 1 Capi Etheriel <barraponto@...>
 1 cacovsky <amarquesferraz@...>
 1 Berend Iwema <berend@...>

0.18.4 (released 2013-10-10)

  • IPython refuses to update the namespace. fix #396 (3d32c4f)
  • Fix AlreadyCalledError replacing a request in shell command. closes #407 (b1d8919)
  • Fix start_requests laziness and early hangs (89faf52)

0.18.3 (released 2013-10-03)

  • fix regression on lazy evaluation of start requests (12693a5)
  • forms: do not submit reset inputs (e429f63)
  • increase unittest timeouts to decrease travis false positive failures (912202e)
  • backport master fixes to json exporter (cfc2d46)
  • Fix permission and set umask before generating sdist tarball (06149e0)

0.18.2 (released 2013-09-03)

  • Backport scrapy check command fixes and backward compatible multi crawler process(339)

0.18.1 (released 2013-08-27)

  • remove extra import added by cherry picked changes (d20304e)
  • fix crawling tests under twisted pre 11.0.0 (1994f38)
  • py26 can not format zero length fields {} (abf756f)
  • test PotentiaDataLoss errors on unbound responses (b15470d)
  • Treat responses without content-length or Transfer-Encoding as good responses (c4bf324)
  • do no include ResponseFailed if http11 handler is not enabled (6cbe684)
  • New HTTP client wraps connection losts in ResponseFailed exception. fix #373 (1a20bba)
  • limit travis-ci build matrix (3b01bb8)
  • Merge pull request #375 from peterarenot/patch-1 (fa766d7)
  • Fixed so it refers to the correct folder (3283809)
  • added quantal & raring to support ubuntu releases (1411923)
  • fix retry middleware which didn't retry certain connection errors after the upgrade to http1 client, closes GH-373 (bb35ed0)
  • fix XmlItemExporter in Python 2.7.4 and 2.7.5 (de3e451)
  • minor updates to 0.18 release notes (c45e5f1)
  • fix contributters list format (0b60031)

0.18.0 (released 2013-08-09)

  • Lot of improvements to testsuite run using Tox, including a way to test on pypi
  • Handle GET parameters for AJAX crawleable urls (3fe2a32)
  • Use lxml recover option to parse sitemaps (347)
  • Bugfix cookie merging by hostname and not by netloc (352)
  • Support disabling HttpCompressionMiddleware using a flag setting (359)
  • Support xml namespaces using iternodes parser in XMLFeedSpider (12)
  • Support dont_cache request meta flag (19)
  • Bugfix scrapy.utils.gz.gunzip broken by changes in python 2.7.4 (4dc76e)
  • Bugfix url encoding on SgmlLinkExtractor (24)
  • Bugfix TakeFirst processor shouldn't discard zero (0) value (59)
  • Support nested items in xml exporter (66)
  • Improve cookies handling performance (77)
  • Log dupe filtered requests once (105)
  • Split redirection middleware into status and meta based middlewares (78)
  • Use HTTP1.1 as default downloader handler (109 and 318)
  • Support xpath form selection on FormRequest.from_response (185)
  • Bugfix unicode decoding error on SgmlLinkExtractor (199)
  • Bugfix signal dispatching on pypi interpreter (205)
  • Improve request delay and concurrency handling (206)
  • Add RFC2616 cache policy to HttpCacheMiddleware (212)
  • Allow customization of messages logged by engine (214)
  • Multiples improvements to DjangoItem (217, 218, 221)
  • Extend Scrapy commands using setuptools entry points (260)
  • Allow spider allowed_domains value to be set/tuple (261)
  • Support settings.getdict (269)
  • Simplify internal scrapy.core.scraper slot handling (271)
  • Added Item.copy (290)
  • Collect idle downloader slots (297)
  • Add ftp:// scheme downloader handler (329)
  • Added downloader benchmark webserver and spider tools benchmarking
  • Moved persistent (on disk) queues to a separate project (queuelib) which scrapy now depends on
  • Add scrapy commands using external libraries (260)
  • Added --pdb option to scrapy command line tool
  • Added XPathSelector.remove_namespaces which allows to remove all namespaces from XML documents for convenience (to work with namespace-less XPaths). Documented in topics-selectors.
  • Several improvements to spider contracts
  • New default middleware named MetaRefreshMiddldeware that handles meta-refresh html tag redirections,
  • MetaRefreshMiddldeware and RedirectMiddleware have different priorities to address #62
  • added from_crawler method to spiders
  • added system tests with mock server
  • more improvements to Mac OS compatibility (thanks Alex Cepoi)
  • several more cleanups to singletons and multi-spider support (thanks Nicolas Ramirez)
  • support custom download slots
  • added --spider option to "shell" command.
  • log overridden settings when scrapy starts

Thanks to everyone who contribute to this release. Here is a list of contributors sorted by number of commits:

130 Pablo Hoffman <pablo@...>
 97 Daniel Graña <dangra@...>
 20 Nicolás Ramírez <nramirez.uy@...>
 13 Mikhail Korobov <kmike84@...>
 12 Pedro Faustino <pedrobandim@...>
 11 Steven Almeroth <sroth77@...>
  5 Rolando Espinoza La fuente <darkrho@...>
  4 Michal Danilak <mimino.coder@...>
  4 Alex Cepoi <alex.cepoi@...>
  4 Alexandr N Zamaraev (aka tonal) <tonal@...>
  3 paul <paul.tremberth@...>
  3 Martin Olveyra <molveyra@...>
  3 Jordi Llonch <llonchj@...>
  3 arijitchakraborty <myself.arijit@...>
  2 Shane Evans <shane.evans@...>
  2 joehillen <joehillen@...>
  2 Hart <HartSimha@...>
  2 Dan <ellisd23@...>
  1 Zuhao Wan <wanzuhao@...>
  1 whodatninja <blake@...>
  1 vkrest <v.krestiannykov@...>
  1 tpeng <pengtaoo@...>
  1 Tom Mortimer-Jones <tom@...>
  1 Rocio Aramberri <roschegel@...>
  1 Pedro <pedro@...>
  1 notsobad <wangxiaohugg@...>
  1 Natan L <kuyanatan.nlao@...>
  1 Mark Grey <mark.grey@...>
  1 Luan <luanpab@...>
  1 Libor Nenadál <libor.nenadal@...>
  1 Juan M Uys <opyate@...>
  1 Jonas Brunsgaard <jonas.brunsgaard@...>
  1 Ilya Baryshev <baryshev@...>
  1 Hasnain Lakhani <m.hasnain.lakhani@...>
  1 Emanuel Schorsch <emschorsch@...>
  1 Chris Tilden <chris.tilden@...>
  1 Capi Etheriel <barraponto@...>
  1 cacovsky <amarquesferraz@...>
  1 Berend Iwema <berend@...>

0.16.5 (released 2013-05-30)

  • obey request method when scrapy deploy is redirected to a new endpoint (8c4fcee)
  • fix inaccurate downloader middleware documentation. refs #280 (40667cb)
  • doc: remove links to diveintopython.org, which is no longer available. closes #246 (bd58bfa)
  • Find form nodes in invalid html5 documents (e3d6945)
  • Fix typo labeling attrs type bool instead of list (a274276)

0.16.4 (released 2013-01-23)

  • fixes spelling errors in documentation (6d2b3aa)
  • add doc about disabling an extension. refs #132 (c90de33)
  • Fixed error message formatting. log.err() doesn't support cool formatting and when error occurred, the message was: "ERROR: Error processing %(item)s" (c16150c)
  • lint and improve images pipeline error logging (56b45fc)
  • fixed doc typos (243be84)
  • add documentation topics: Broad Crawls & Common Practies (1fbb715)
  • fix bug in scrapy parse command when spider is not specified explicitly. closes #209 (c72e682)
  • Update docs/topics/commands.rst (28eac7a)

0.16.3 (released 2012-12-07)

  • Remove concurrency limitation when using download delays and still ensure inter-request delays are enforced (487b9b5)
  • add error details when image pipeline fails (8232569)
  • improve mac os compatibility (8dcf8aa)
  • setup.py: use README.rst to populate long_description (7b5310d)
  • doc: removed obsolete references to ClientForm (80f9bb6)
  • correct docs for default storage backend (2aa491b)
  • doc: removed broken proxyhub link from FAQ (bdf61c4)
  • Fixed docs typo in SpiderOpenCloseLogging example (7184094)

0.16.2 (released 2012-11-09)

  • scrapy contracts: python2.6 compat (a4a9199)
  • scrapy contracts verbose option (ec41673)
  • proper unittest-like output for scrapy contracts (86635e4)
  • added open_in_browser to debugging doc (c9b690d)
  • removed reference to global scrapy stats from settings doc (dd55067)
  • Fix SpiderState bug in Windows platforms (58998f4)

0.16.1 (released 2012-10-26)

  • fixed LogStats extension, which got broken after a wrong merge before the 0.16 release (8c780fd)
  • better backwards compatibility for scrapy.conf.settings (3403089)
  • extended documentation on how to access crawler stats from extensions (c4da0b5)
  • removed .hgtags (no longer needed now that scrapy uses git) (d52c188)
  • fix dashes under rst headers (fa4f7f9)
  • set release date for 0.16.0 in news (e292246)

0.16.0 (released 2012-10-18)

Scrapy changes:

  • added topics-contracts, a mechanism for testing spiders in a formal/reproducible way
  • added options -o and -t to the runspider command
  • documented topics/autothrottle and added to extensions installed by default. You still need to enable it with AUTOTHROTTLE_ENABLED
  • major Stats Collection refactoring: removed separation of global/per-spider stats, removed stats-related signals (stats_spider_opened, etc). Stats are much simpler now, backwards compatibility is kept on the Stats Collector API and signals.
  • added ~scrapy.contrib.spidermiddleware.SpiderMiddleware.process_start_requests method to spider middlewares
  • dropped Signals singleton. Signals should now be accesed through the Crawler.signals attribute. See the signals documentation for more info.
  • dropped Signals singleton. Signals should now be accesed through the Crawler.signals attribute. See the signals documentation for more info.
  • dropped Stats Collector singleton. Stats can now be accessed through the Crawler.stats attribute. See the stats collection documentation for more info.
  • documented topics-api
  • lxml is now the default selectors backend instead of libxml2
  • ported FormRequest.from_response() to use lxml instead of ClientForm
  • removed modules: scrapy.xlib.BeautifulSoup and scrapy.xlib.ClientForm
  • SitemapSpider: added support for sitemap urls ending in .xml and .xml.gz, even if they advertise a wrong content type (10ed28b)
  • StackTraceDump extension: also dump trackref live references (fe2ce93)
  • nested items now fully supported in JSON and JSONLines exporters
  • added cookiejar Request meta key to support multiple cookie sessions per spider
  • decoupled encoding detection code to w3lib.encoding, and ported Scrapy code to use that mdule
  • dropped support for Python 2.5. See http://blog.scrapinghub.com/2012/02/27/scrapy-0-15-dropping-support-for-python-2-5/
  • dropped support for Twisted 2.5
  • added REFERER_ENABLED setting, to control referer middleware
  • changed default user agent to: Scrapy/VERSION (+http://scrapy.org)
  • removed (undocumented) HTMLImageLinkExtractor class from scrapy.contrib.linkextractors.image
  • removed per-spider settings (to be replaced by instantiating multiple crawler objects)
  • USER_AGENT spider attribute will no longer work, use user_agent attribute instead
  • DOWNLOAD_TIMEOUT spider attribute will no longer work, use download_timeout attribute instead
  • removed ENCODING_ALIASES setting, as encoding auto-detection has been moved to the w3lib library
  • promoted topics-djangoitem to main contrib
  • LogFormatter method now return dicts(instead of strings) to support lazy formatting (164, dcef7b0)
  • downloader handlers (DOWNLOAD_HANDLERS setting) now receive settings as the first argument of the constructor
  • replaced memory usage acounting with (more portable) resource module, removed scrapy.utils.memory module
  • removed signal: scrapy.mail.mail_sent
  • removed TRACK_REFS setting, now trackrefs <topics-leaks-trackrefs> is always enabled
  • DBM is now the default storage backend for HTTP cache middleware
  • number of log messages (per level) are now tracked through Scrapy stats (stat name: log_count/LEVEL)
  • number received responses are now tracked through Scrapy stats (stat name: response_received_count)
  • removed scrapy.log.started attribute

0.14.4

  • added precise to supported ubuntu distros (b7e46df)
  • fixed bug in json-rpc webservice reported in https://groups.google.com/forum/#!topic/scrapy-users/qgVBmFybNAQ/discussion. also removed no longer supported 'run' command from extras/scrapy-ws.py (340fbdb)
  • meta tag attributes for content-type http equiv can be in any order. #123 (0cb68af)
  • replace "import Image" by more standard "from PIL import Image". closes #88 (4d17048)
  • return trial status as bin/runtests.sh exit value. #118 (b7b2e7f)

0.14.3

  • forgot to include pydispatch license. #118 (fd85f9c)
  • include egg files used by testsuite in source distribution. #118 (c897793)
  • update docstring in project template to avoid confusion with genspider command, which may be considered as an advanced feature. refs #107 (2548dcc)
  • added note to docs/topics/firebug.rst about google directory being shut down (668e352)
  • dont discard slot when empty, just save in another dict in order to recycle if needed again. (8e9f607)
  • do not fail handling unicode xpaths in libxml2 backed selectors (b830e95)
  • fixed minor mistake in Request objects documentation (bf3c9ee)
  • fixed minor defect in link extractors documentation (ba14f38)
  • removed some obsolete remaining code related to sqlite support in scrapy (0665175)

0.14.2

  • move buffer pointing to start of file before computing checksum. refs #92 (6a5bef2)
  • Compute image checksum before persisting images. closes #92 (9817df1)
  • remove leaking references in cached failures (673a120)
  • fixed bug in MemoryUsage extension: get_engine_status() takes exactly 1 argument (0 given) (11133e9)
  • fixed struct.error on http compression middleware. closes #87 (1423140)
  • ajax crawling wasn't expanding for unicode urls (0de3fb4)
  • Catch start_requests iterator errors. refs #83 (454a21d)
  • Speed-up libxml2 XPathSelector (2fbd662)
  • updated versioning doc according to recent changes (0a070f5)
  • scrapyd: fixed documentation link (2b4e4c3)
  • extras/makedeb.py: no longer obtaining version from git (caffe0e)

0.14.1

  • extras/makedeb.py: no longer obtaining version from git (caffe0e)
  • bumped version to 0.14.1 (6cb9e1c)
  • fixed reference to tutorial directory (4b86bd6)
  • doc: removed duplicated callback argument from Request.replace() (1aeccdd)
  • fixed formatting of scrapyd doc (8bf19e6)
  • Dump stacks for all running threads and fix engine status dumped by StackTraceDump extension (14a8e6e)
  • added comment about why we disable ssl on boto images upload (5223575)
  • SSL handshaking hangs when doing too many parallel connections to S3 (63d583d)
  • change tutorial to follow changes on dmoz site (bcb3198)
  • Avoid _disconnectedDeferred AttributeError exception in Twisted>=11.1.0 (98f3f87)
  • allow spider to set autothrottle max concurrency (175a4b5)

0.14

New features and settings

  • Support for AJAX crawleable urls
  • New persistent scheduler that stores requests on disk, allowing to suspend and resume crawls (2737)
  • added -o option to scrapy crawl, a shortcut for dumping scraped items into a file (or standard output using -)
  • Added support for passing custom settings to Scrapyd schedule.json api (2779, 2783)
  • New ChunkedTransferMiddleware (enabled by default) to support chunked transfer encoding (2769)
  • Add boto 2.0 support for S3 downloader handler (2763)
  • Added marshal to formats supported by feed exports (2744)
  • In request errbacks, offending requests are now received in failure.request attribute (2738)
  • Big downloader refactoring to support per domain/ip concurrency limits (2732)
    • CONCURRENT_REQUESTS_PER_SPIDER setting has been deprecated and replaced by:
      • CONCURRENT_REQUESTS, CONCURRENT_REQUESTS_PER_DOMAIN, CONCURRENT_REQUESTS_PER_IP
    • check the documentation for more details
  • Added builtin caching DNS resolver (2728)
  • Moved Amazon AWS-related components/extensions (SQS spider queue, SimpleDB stats collector) to a separate project: [scaws](https://github.com/scrapinghub/scaws) (2706, 2714)
  • Moved spider queues to scrapyd: scrapy.spiderqueue -> scrapyd.spiderqueue (2708)
  • Moved sqlite utils to scrapyd: scrapy.utils.sqlite -> scrapyd.sqlite (2781)
  • Real support for returning iterators on start_requests() method. The iterator is now consumed during the crawl when the spider is getting idle (2704)
  • Added REDIRECT_ENABLED setting to quickly enable/disable the redirect middleware (2697)
  • Added RETRY_ENABLED setting to quickly enable/disable the retry middleware (2694)
  • Added CloseSpider exception to manually close spiders (2691)
  • Improved encoding detection by adding support for HTML5 meta charset declaration (2690)
  • Refactored close spider behavior to wait for all downloads to finish and be processed by spiders, before closing the spider (2688)
  • Added SitemapSpider (see documentation in Spiders page) (2658)
  • Added LogStats extension for periodically logging basic stats (like crawled pages and scraped items) (2657)
  • Make handling of gzipped responses more robust (#319, 2643). Now Scrapy will try and decompress as much as possible from a gzipped response, instead of failing with an IOError.
  • Simplified !MemoryDebugger extension to use stats for dumping memory debugging info (2639)
  • Added new command to edit spiders: scrapy edit (2636) and -e flag to genspider command that uses it (2653)
  • Changed default representation of items to pretty-printed dicts. (2631). This improves default logging by making log more readable in the default case, for both Scraped and Dropped lines.
  • Added spider_error signal (2628)
  • Added COOKIES_ENABLED setting (2625)
  • Stats are now dumped to Scrapy log (default value of STATS_DUMP setting has been changed to True). This is to make Scrapy users more aware of Scrapy stats and the data that is collected there.
  • Added support for dynamically adjusting download delay and maximum concurrent requests (2599)
  • Added new DBM HTTP cache storage backend (2576)
  • Added listjobs.json API to Scrapyd (2571)
  • CsvItemExporter: added join_multivalued parameter (2578)
  • Added namespace support to xmliter_lxml (2552)
  • Improved cookies middleware by making COOKIES_DEBUG nicer and documenting it (2579)
  • Several improvements to Scrapyd and Link extractors

Code rearranged and removed

  • Merged item passed and item scraped concepts, as they have often proved confusing in the past. This means: (2630)
    • original item_scraped signal was removed
    • original item_passed signal was renamed to item_scraped
    • old log lines Scraped Item... were removed
    • old log lines Passed Item... were renamed to Scraped Item... lines and downgraded to DEBUG level
  • Reduced Scrapy codebase by striping part of Scrapy code into two new libraries:
    • w3lib (several functions from scrapy.utils.{http,markup,multipart,response,url}, done in 2584)
    • scrapely (was scrapy.contrib.ibl, done in 2586)
  • Removed unused function: scrapy.utils.request.request_info() (2577)
  • Removed googledir project from examples/googledir. There's now a new example project called dirbot available on github: https://github.com/scrapy/dirbot
  • Removed support for default field values in Scrapy items (2616)
  • Removed experimental crawlspider v2 (2632)
  • Removed scheduler middleware to simplify architecture. Duplicates filter is now done in the scheduler itself, using the same dupe fltering class as before (DUPEFILTER_CLASS setting) (2640)
  • Removed support for passing urls to scrapy crawl command (use scrapy parse instead) (2704)
  • Removed deprecated Execution Queue (2704)
  • Removed (undocumented) spider context extension (from scrapy.contrib.spidercontext) (2780)
  • removed CONCURRENT_SPIDERS setting (use scrapyd maxproc instead) (2789)
  • Renamed attributes of core components: downloader.sites -> downloader.slots, scraper.sites -> scraper.slots (2717, 2718)
  • Renamed setting CLOSESPIDER_ITEMPASSED to CLOSESPIDER_ITEMCOUNT (2655). Backwards compatibility kept.

0.12

The numbers like #NNN reference tickets in the old issue tracker (Trac) which is no longer available.

New features and improvements

  • Passed item is now sent in the item argument of the item_passed (#273)
  • Added verbose option to scrapy version command, useful for bug reports (#298)
  • HTTP cache now stored by default in the project data dir (#279)
  • Added project data storage directory (#276, #277)
  • Documented file structure of Scrapy projects (see command-line tool doc)
  • New lxml backend for XPath selectors (#147)
  • Per-spider settings (#245)
  • Support exit codes to signal errors in Scrapy commands (#248)
  • Added -c argument to scrapy shell command
  • Made libxml2 optional (#260)
  • New deploy command (#261)
  • Added CLOSESPIDER_PAGECOUNT setting (#253)
  • Added CLOSESPIDER_ERRORCOUNT setting (#254)

Scrapyd changes

  • Scrapyd now uses one process per spider
  • It stores one log file per spider run, and rotate them keeping the lastest 5 logs per spider (by default)
  • A minimal web ui was added, available at http://localhost:6800 by default
  • There is now a scrapy server command to start a Scrapyd server of the current project

Changes to settings

  • added HTTPCACHE_ENABLED setting (False by default) to enable HTTP cache middleware
  • changed HTTPCACHE_EXPIRATION_SECS semantics: now zero means "never expire".

Deprecated/obsoleted functionality

  • Deprecated runserver command in favor of server command which starts a Scrapyd server. See also: Scrapyd changes
  • Deprecated queue command in favor of using Scrapyd schedule.json API. See also: Scrapyd changes
  • Removed the !LxmlItemLoader (experimental contrib which never graduated to main contrib)

0.10

The numbers like #NNN reference tickets in the old issue tracker (Trac) which is no longer available.

New features and improvements

  • New Scrapy service called scrapyd for deploying Scrapy crawlers in production (#218) (documentation available)
  • Simplified Images pipeline usage which doesn't require subclassing your own images pipeline now (#217)
  • Scrapy shell now shows the Scrapy log by default (#206)
  • Refactored execution queue in a common base code and pluggable backends called "spider queues" (#220)
  • New persistent spider queue (based on SQLite) (#198), available by default, which allows to start Scrapy in server mode and then schedule spiders to run.
  • Added documentation for Scrapy command-line tool and all its available sub-commands. (documentation available)
  • Feed exporters with pluggable backends (#197) (documentation available)
  • Deferred signals (#193)
  • Added two new methods to item pipeline open_spider(), close_spider() with deferred support (#195)
  • Support for overriding default request headers per spider (#181)
  • Replaced default Spider Manager with one with similar functionality but not depending on Twisted Plugins (#186)
  • Splitted Debian package into two packages - the library and the service (#187)
  • Scrapy log refactoring (#188)
  • New extension for keeping persistent spider contexts among different runs (#203)
  • Added dont_redirect request.meta key for avoiding redirects (#233)
  • Added dont_retry request.meta key for avoiding retries (#234)

Command-line tool changes

  • New scrapy command which replaces the old scrapy-ctl.py (#199)
    • there is only one global scrapy command now, instead of one scrapy-ctl.py per project
    • Added scrapy.bat script for running more conveniently from Windows
  • Added bash completion to command-line tool (#210)
  • Renamed command start to runserver (#209)

API changes

  • url and body attributes of Request objects are now read-only (#230)
  • Request.copy() and Request.replace() now also copies their callback and errback attributes (#231)
  • Removed UrlFilterMiddleware from scrapy.contrib (already disabled by default)
  • Offsite middelware doesn't filter out any request coming from a spider that doesn't have a allowed_domains attribute (#225)
  • Removed Spider Manager load() method. Now spiders are loaded in the constructor itself.
  • Changes to Scrapy Manager (now called "Crawler"):
    • scrapy.core.manager.ScrapyManager class renamed to scrapy.crawler.Crawler
    • scrapy.core.manager.scrapymanager singleton moved to scrapy.project.crawler
  • Moved module: scrapy.contrib.spidermanager to scrapy.spidermanager
  • Spider Manager singleton moved from scrapy.spider.spiders to the spiders` attribute ofscrapy.project.crawler`` singleton.
  • moved Stats Collector classes: (#204)
    • scrapy.stats.collector.StatsCollector to scrapy.statscol.StatsCollector
    • scrapy.stats.collector.SimpledbStatsCollector to scrapy.contrib.statscol.SimpledbStatsCollector
  • default per-command settings are now specified in the default_settings attribute of command object class (#201)
  • changed arguments of Item pipeline process_item() method from (spider, item) to (item, spider)
    • backwards compatibility kept (with deprecation warning)
  • moved scrapy.core.signals module to scrapy.signals
    • backwards compatibility kept (with deprecation warning)
  • moved scrapy.core.exceptions module to scrapy.exceptions
    • backwards compatibility kept (with deprecation warning)
  • added handles_request() class method to BaseSpider
  • dropped scrapy.log.exc() function (use scrapy.log.err() instead)
  • dropped component argument of scrapy.log.msg() function
  • dropped scrapy.log.log_level attribute
  • Added from_settings() class methods to Spider Manager, and Item Pipeline Manager

Changes to settings

  • Added HTTPCACHE_IGNORE_SCHEMES setting to ignore certain schemes on !HttpCacheMiddleware (#225)
  • Added SPIDER_QUEUE_CLASS setting which defines the spider queue to use (#220)
  • Added KEEP_ALIVE setting (#220)
  • Removed SERVICE_QUEUE setting (#220)
  • Removed COMMANDS_SETTINGS_MODULE setting (#201)
  • Renamed REQUEST_HANDLERS to DOWNLOAD_HANDLERS and make download handlers classes (instead of functions)

0.9

The numbers like #NNN reference tickets in the old issue tracker (Trac) which is no longer available.

New features and improvements

  • Added SMTP-AUTH support to scrapy.mail
  • New settings added: MAIL_USER, MAIL_PASS (2065 | #149)
  • Added new scrapy-ctl view command - To view URL in the browser, as seen by Scrapy (2039)
  • Added web service for controlling Scrapy process (this also deprecates the web console. (2053 | #167)
  • Support for running Scrapy as a service, for production systems (1988, 2054, 2055, 2056, 2057 | #168)
  • Added wrapper induction library (documentation only available in source code for now). (2011)
  • Simplified and improved response encoding support (1961, 1969)
  • Added LOG_ENCODING setting (1956, documentation available)
  • Added RANDOMIZE_DOWNLOAD_DELAY setting (enabled by default) (1923, doc available)
  • MailSender is no longer IO-blocking (1955 | #146)
  • Linkextractors and new Crawlspider now handle relative base tag urls (1960 | #148)
  • Several improvements to Item Loaders and processors (2022, 2023, 2024, 2025, 2026, 2027, 2028, 2029, 2030)
  • Added support for adding variables to telnet console (2047 | #165)
  • Support for requests without callbacks (2050 | #166)

API changes

  • Change Spider.domain_name to Spider.name (SEP-012, 1975)
  • Response.encoding is now the detected encoding (1961)
  • HttpErrorMiddleware now returns None or raises an exception (2006 | #157)
  • scrapy.command modules relocation (2035, 2036, 2037)
  • Added ExecutionQueue for feeding spiders to scrape (2034)
  • Removed ExecutionEngine singleton (2039)
  • Ported S3ImagesStore (images pipeline) to use boto and threads (2033)
  • Moved module: scrapy.management.telnet to scrapy.telnet (2047)

Changes to default settings

  • Changed default SCHEDULER_ORDER to DFO (1939)

0.8

The numbers like #NNN reference tickets in the old issue tracker (Trac) which is no longer available.

New features

  • Added DEFAULT_RESPONSE_ENCODING setting (1809)
  • Added dont_click argument to FormRequest.from_response() method (1813, 1816)
  • Added clickdata argument to FormRequest.from_response() method (1802, 1803)
  • Added support for HTTP proxies (HttpProxyMiddleware) (1781, 1785)
  • Offiste spider middleware now logs messages when filtering out requests (1841)

Backwards-incompatible changes

  • Changed scrapy.utils.response.get_meta_refresh() signature (1804)
  • Removed deprecated scrapy.item.ScrapedItem class - use scrapy.item.Item instead (1838)
  • Removed deprecated scrapy.xpath module - use scrapy.selector instead. (1836)
  • Removed deprecated core.signals.domain_open signal - use core.signals.domain_opened instead (1822)
  • log.msg() now receives a spider argument (1822)
    • Old domain argument has been deprecated and will be removed in 0.9. For spiders, you should always use the spider argument and pass spider references. If you really want to pass a string, use the component argument instead.
  • Changed core signals domain_opened, domain_closed, domain_idle
  • Changed Item pipeline to use spiders instead of domains
    • The domain argument of process_item() item pipeline method was changed to spider, the new signature is: process_item(spider, item) (1827 | #105)
    • To quickly port your code (to work with Scrapy 0.8) just use spider.domain_name where you previously used domain.
  • Changed Stats API to use spiders instead of domains (1849 | #113)
    • StatsCollector was changed to receive spider references (instead of domains) in its methods (set_value, inc_value, etc).
    • added StatsCollector.iter_spider_stats() method
    • removed StatsCollector.list_domains() method
    • Also, Stats signals were renamed and now pass around spider references (instead of domains). Here's a summary of the changes:
    • To quickly port your code (to work with Scrapy 0.8) just use spider.domain_name where you previously used domain. spider_stats contains exactly the same data as domain_stats.
  • CloseDomain extension moved to scrapy.contrib.closespider.CloseSpider (1833)
    • Its settings were also renamed:
      • CLOSEDOMAIN_TIMEOUT to CLOSESPIDER_TIMEOUT
      • CLOSEDOMAIN_ITEMCOUNT to CLOSESPIDER_ITEMCOUNT
  • Removed deprecated SCRAPYSETTINGS_MODULE environment variable - use SCRAPY_SETTINGS_MODULE instead (1840)
  • Renamed setting: REQUESTS_PER_DOMAIN to CONCURRENT_REQUESTS_PER_SPIDER (1830, 1844)
  • Renamed setting: CONCURRENT_DOMAINS to CONCURRENT_SPIDERS (1830)
  • Refactored HTTP Cache middleware
  • HTTP Cache middleware has been heavilty refactored, retaining the same functionality except for the domain sectorization which was removed. (1843 )
  • Renamed exception: DontCloseDomain to DontCloseSpider (1859 | #120)
  • Renamed extension: DelayedCloseDomain to SpiderCloseDelay (1861 | #121)
  • Removed obsolete scrapy.utils.markup.remove_escape_chars function - use scrapy.utils.markup.replace_escape_chars instead (1865)

0.7

First release of Scrapy.