首页 > 解决方案 > 如何遍历scrapy spider中的参数列表?

问题描述

嗨,我正在尝试在 scrapy spider 命令中传递参数列表。我能够为 1 个参数运行它。但无法为参数列表执行此操作。请帮忙。这是我尝试过的。

# -*- coding: utf-8 -*-
import scrapy
import json


class AirbnbweatherSpider(scrapy.Spider):
    name = 'airbnbweather'
    allowed_domains = ['www.wunderground.com']

    def __init__(self,geocode ):
        self.geocode = geocode.split(',') 
        pass   
       
    def start_requests(self):
        yield scrapy.Request(url="https://api.weather.com/v3/wx/forecast/daily/10day?apiKey=6532d6454b8aa370768e63d6ba5a832e&geocode={0}{1}{2}&units=e&language=en-US&format=json".format(self.geocode[0],"%2C",self.geocode[1]))

    def parse(self, response):
        resuturant = json.loads(response.body)
        
        yield {
            'temperatureMax' : resuturant.get('temperatureMax'),
            'temperatureMin' : resuturant.get('temperatureMin'),
            'validTimeLocal' : resuturant.get('validTimeLocal'),
            
            }

我可以使用这个命令运行它

scrapy crawl airbnbweather -o BOSTON.json -a geocode="42.361","-71.057"

它工作正常。但是我如何遍历地理编码列表?

list = [("42.361","-71.057"),("29.384","-94.903"),("30.384", "-84.903")]

标签: pythonweb-scrapingscrapyweb-crawlerrest

解决方案


您只能将字符串用作蜘蛛参数(https://docs.scrapy.org/en/latest/topics/spiders.html#spider-arguments),因此您应该将列表作为字符串传递,并在您的代码。以下似乎可以解决问题:

import scrapy
import json
import ast


class AirbnbweatherSpider(scrapy.Spider):
    name = 'airbnbweather'
    allowed_domains = ['www.wunderground.com']

    def __init__(self, geocode, *args, **kwargs):
        super().__init__(*args, **kwargs)
        self.geocodes = ast.literal_eval(geocode)

    def start_requests(self):
        for geocode in self.geocodes:
            yield scrapy.Request(
                url="https://api.weather.com/v3/wx/forecast/daily/10day?apiKey=6532d6454b8aa370768e63d6ba5a832e&geocode={0}{1}{2}&units=e&language=en-US&format=json".format(geocode[0],"%2C",geocode[1]))

然后,您可以像这样运行爬虫:

scrapy crawl airbnbweather -o BOSTON.json -a geocodes='[("42.361","-71.057"),("29.384","-94.903"),("30.384", "-84.903")]'

推荐阅读