我正在使用Scrapy爬网网站以获取所有页面,但是我当前的代码规则仍然允许我获取不需要的URL,例如除帖子的主URL外的诸如“ http://www.example.com/some-article/comment-page-1”之类的评论链接。我可以添加哪些规则来排除这些不需要的项目?这是我当前的代码:

from scrapy.contrib.spiders import CrawlSpider, Rule
from scrapy.contrib.linkextractors.sgml import SgmlLinkExtractor
from scrapy.item import Item

class MySpider(CrawlSpider):
    name = 'crawltest'
    allowed_domains = ['example.com']
    start_urls = ['http://www.example.com']
    rules = [Rule(SgmlLinkExtractor(allow=[r'/\d+']), follow=True), Rule(SgmlLinkExtractor(allow=[r'\d+']), callback='parse_item')]

    def parse_item(self, response):
        #do something

最佳答案

SgmlLinkExtractor有一个称为deny的可选参数,仅当allow regex为true且deny regex为false时,此规则才与该规则匹配

docs中的示例:

rules = (
        # Extract links matching 'category.php' (but not matching 'subsection.php')
        # and follow links from them (since no callback means follow=True by default).
        Rule(SgmlLinkExtractor(allow=('category\.php', ), deny=('subsection\.php', ))),

        # Extract links matching 'item.php' and parse them with the spider's method parse_item
        Rule(SgmlLinkExtractor(allow=('item\.php', )), callback='parse_item'),
    )


也许您可以检查网址是否不包含单词comment

08-05 07:51