python 使用Scrapy抓取JSON响应

xjreopfe  于 2022-12-25  发布在  Python
关注(0)|答案(3)|浏览(170)

如何使用Scrapy抓取返回JSON的Web请求?例如,JSON如下所示:

{
    "firstName": "John",
    "lastName": "Smith",
    "age": 25,
    "address": {
        "streetAddress": "21 2nd Street",
        "city": "New York",
        "state": "NY",
        "postalCode": "10021"
    },
    "phoneNumber": [
        {
            "type": "home",
            "number": "212 555-1234"
        },
        {
            "type": "fax",
            "number": "646 555-4567"
        }
    ]
}

我希望刮取特定的项目(例如,上面的namefax)并保存到csv。

oewdyzsn

oewdyzsn1#

这与使用Scrapy的HtmlXPathSelector来解析html响应是一样的,唯一的区别是应该使用json模块来解析响应:

class MySpider(BaseSpider):
    ...

    def parse(self, response):
         jsonresponse = json.loads(response.text)

         item = MyItem()
         item["firstName"] = jsonresponse["firstName"]             

         return item
egmofgnx

egmofgnx2#

不需要使用json模块解析response对象。

class MySpider(BaseSpider):
...

def parse(self, response):
     jsonresponse = response.json()

     item = MyItem()
     item["firstName"] = jsonresponse.get("firstName", "")           

     return item
dddzy1tm

dddzy1tm3#

JSON无法加载的可能原因是它的前后都有单引号。

json.loads(response.body_as_unicode().replace("'", '"'))

相关问题