使用scrapy获取网址列表,然后抓取这些网址内的内容

时间:2017-07-04 20:46:27

标签: python web-scraping scrapy

我需要Scrapy蜘蛛为每个网址抓取以下页面(https://www.phidgets.com/?tier=1&catid=64&pcid=57)(30个产品,所以30个网址),然后通过该网址进入每个产品并抓取内部数据。

我的第二部分完全符合我的要求:

import scrapy

class ProductsSpider(scrapy.Spider):
    name = "products"
    start_urls = [
        'https://www.phidgets.com/?tier=1&catid=64&pcid=57',
    ]

    def parse(self, response):
        for info in response.css('div.ph-product-container'):
            yield {
                'product_name': info.css('h2.ph-product-name::text').extract_first(),
                'product_image': info.css('div.ph-product-img-ctn a').xpath('@href').extract(),
                'sku': info.css('span.ph-pid').xpath('@prod-sku').extract_first(),
                'short_description': info.css('div.ph-product-summary::text').extract_first(),
                'price': info.css('h2.ph-product-price > span.price::text').extract_first(),
                'long_description': info.css('div#product_tab_1').extract_first(),
                'specs': info.css('div#product_tab_2').extract_first(),
            }

        # next_page = response.css('div.ph-summary-entry-ctn a::attr("href")').extract_first()
        # if next_page is not None:
        #     yield response.follow(next_page, self.parse)

但我不知道如何做第一部分。正如您将看到的那样,我将主页面(https://www.phidgets.com/?tier=1&catid=64&pcid=57)设置为start_url。但是如何使用我需要抓取的所有30个网址来填充start_urls列表呢?

1 个答案:

答案 0 :(得分:8)

我现在无法测试,所以请告诉我这是否适合您,以便我可以编辑它,如果有任何错误。

这里的想法是我们找到第一页中的每个链接并产生新的scrapy请求,将产品解析方法作为回调传递

import scrapy
from urllib.parse import urljoin

class ProductsSpider(scrapy.Spider):
    name = "products"
    start_urls = [
        'https://www.phidgets.com/?tier=1&catid=64&pcid=57',
    ]

    def parse(self, response):
        products = response.xpath("//*[contains(@class, 'ph-summary-entry-ctn')]/a/@href").extract()
        for p in products:
            url = urljoin(response.url, p)
            yield scrapy.Request(url, callback=self.parse_product)

    def parse_product(self, response):
        for info in response.css('div.ph-product-container'):
            yield {
                'product_name': info.css('h2.ph-product-name::text').extract_first(),
                'product_image': info.css('div.ph-product-img-ctn a').xpath('@href').extract(),
                'sku': info.css('span.ph-pid').xpath('@prod-sku').extract_first(),
                'short_description': info.css('div.ph-product-summary::text').extract_first(),
                'price': info.css('h2.ph-product-price > span.price::text').extract_first(),
                'long_description': info.css('div#product_tab_1').extract_first(),
                'specs': info.css('div#product_tab_2').extract_first(),
            }