5

我有这个:

import pycurl
import pprint
import json

c = pycurl.Curl()
c.setopt(c.URL, 'https://mydomainname.com')

c.perform()

上面的代码返回一个像这样的字典:

{"name":"steve", "lastvisit":"10-02-2012", "age":12}

我想遍历那本字典并得到年龄:

age : 12

我试过:

diction = {}
diction = c.perform()
pprint.pprint(diction["age"])

没有数据返回,我收到了这个错误:

TypeError: 'NoneType' object is unsubscriptable
4

1 回答 1

18

c.perform()不返回任何内容,您需要配置一个类似文件的对象来捕获该值。一个BytesIO对象会做,然后您可以.getvalue()在调用完成后调用它:

import pycurl
import pprint
import json
from io import BytesIO

c = pycurl.Curl()
data = BytesIO()

c.setopt(c.URL, 'https://mydomainname.com')
c.setopt(c.WRITEFUNCTION, data.write)
c.perform()

dictionary = json.loads(data.getvalue())
pprint.pprint(dictionary["age"])

如果您未与 结婚pycurl,您可能会发现requests要容易得多:

import pprint
import requests

dictionary = requests.get('https://mydomainname.com').json()
pprint.pprint(dictionary["age"])

即使是标准库urllib.request模块也比使用更容易pycurl

from urllib.request import urlopen
import pprint
import json

response = urlopen('https://mydomainname.com')
dictionary = json.load(response)
pprint.pprint(dictionary["age"])
于 2013-03-16T19:23:29.703 回答