Spiders参数
spiders可以通过接收参数来修改其爬取行为。crawl 通过使用选项 -a 传递爬虫参数。
scrapy crawl myspider -a category=electronics
spiders 在构造函数中接收参数:
import scrapy
class MySpider(scrapy.Spider):
name = 'myspider'
def __init__(self, category=None, *args, **kwargs):
super(MySpider, self).__init__(*args, **kwargs)
self.start_urls = ['http://www.example.com/categories/%s' % category]
# ...
也可以通过Scrapyd schedule.json
API传递spiders参数。
Generic Spiders(通用爬虫)
举个例子,在项目中假设在myproject.items中定义了一个TestItem类,如下图。
import scrapy
class TestItem(scrapy.Item):
id = scrapy.Field()
name = scrapy.Field()
description = scrapy.Field()
CrawlSpider
class scrapy.spiders.CrawlSpider
爬取一般网站常用的spider。其定义了一些规则(rule)来提供跟进link的方便的机制。
除了从Spider继承过来的(您必须提供的)属性外,其提供了一个新的属性:
- rules
一个包含一个(或多个) Rule
对象的集合(list)。 每个 Rule
对爬取网站的动作定义了特定表现。如果多个rule匹配了相同的链接,则根据他们在本属性中被定义的顺序,第一个会被使用。
该spider也提供了一个可复写(overrideable)的方法:
- parse_start_url(response)
当start_url的请求返回时,该方法被调用。 该方法分析最初的返回值并必须返回一个 Item
对象或者一个 Request
对象或者一个可迭代的包含二者对象。
class scrapy.spiders.Rule(爬取规则)
参数
link_extractor
是一个 Link Extractor 对象。 其定义了如何从爬取到的页面提取链接。callback
是一个callable或string(该spider中同名的函数将会被调用)。 从link_extractor中每获取到链接时将会调用该函数。该回调函数接受一个response作为其第一个参数, 并返回一个包含Item
以及(或)Request
对象(或者这两者的子类)的列表(list)。
警告
当编写爬虫规则时,请避免使用 parse
作为回调函数。 由于 CrawlSpider
使用 parse
方法来实现其逻辑,如果 您覆盖了 parse
方法,crawl spider 将会运行失败。
cb_kwargs
包含传递给回调函数的参数(keyword argument)的字典。follow
是一个布尔(boolean)值,指定了根据该规则从response提取的链接是否需要跟进。 如果callback
为None,follow
默认设置为True
,否则默认为False
。process_links
是一个callable或string(该spider中同名的函数将会被调用)。 从link_extractor中获取到链接列表时将会调用该函数。该方法主要用来过滤。process_request
是一个callable或string(该spider中同名的函数将会被调用)。 该规则提取到每个request时都会调用该函数。该函数必须返回一个request或者None。 (用来过滤request)
CrawlSpider样例
import scrapy
from scrapy.spiders import CrawlSpider, Rule
from scrapy.linkextractors import LinkExtractor
class MySpider(CrawlSpider):
name = 'example.com'
allowed_domains = ['example.com']
start_urls = ['http://www.example.com']
rules = (
# 提取匹配 'category.php' (但不匹配 'subsection.php') 的链接并跟进链接(没有callback意味着follow默认为True)
Rule(LinkExtractor(allow=('category\.php', ), deny=('subsection\.php', ))),
# 提取匹配 'item.php' 的链接并使用spider的parse_item方法进行分析
Rule(LinkExtractor(allow=('item\.php', )), callback='parse_item'),
)
def parse_item(self, response):
self.logger.info('Hi, this is an item page! %s', response.url)
item = scrapy.Item()
item['id'] = response.xpath('//td[@id="item_id"]/text()').re(r'ID: (\d+)')
item['name'] = response.xpath('//td[@id="item_name"]/text()').extract()
item['description'] = response.xpath('//td[@id="item_description"]/text()').extract()
return item
来源:oschina
链接:https://my.oschina.net/u/3647649/blog/1835963