如何读取从 PyCurl 请求返回的响应标头?
sverrejoh
问问题
16795 次
4 回答
30
有几种解决方案(默认情况下,它们被删除)。这是一个使用选项 HEADERFUNCTION 的示例,它允许您指示处理它们的函数。
其他解决方案是选项 WRITEHEADER(与 WRITEFUNCTION 不兼容)或将 HEADER 设置为 True 以便它们与正文一起传输。
#!/usr/bin/python
import pycurl
import sys
class Storage:
def __init__(self):
self.contents = ''
self.line = 0
def store(self, buf):
self.line = self.line + 1
self.contents = "%s%i: %s" % (self.contents, self.line, buf)
def __str__(self):
return self.contents
retrieved_body = Storage()
retrieved_headers = Storage()
c = pycurl.Curl()
c.setopt(c.URL, 'http://www.demaziere.fr/eve/')
c.setopt(c.WRITEFUNCTION, retrieved_body.store)
c.setopt(c.HEADERFUNCTION, retrieved_headers.store)
c.perform()
c.close()
print retrieved_headers
print retrieved_body
于 2009-01-23T08:13:57.077 回答
17
import pycurl
from StringIO import StringIO
headers = StringIO()
c = pycurl.Curl()
c.setopt(c.URL, url)
c.setopt(c.HEADER, 1)
c.setopt(c.NOBODY, 1) # header only, no body
c.setopt(c.HEADERFUNCTION, headers.write)
c.perform()
print headers.getvalue()
根据需要/需要添加任何其他 curl setopts,例如 FOLLOWLOCATION。
于 2014-02-05T01:20:49.777 回答
6
另一个替代,human_curl 用法:pip human_curl
In [1]: import human_curl as hurl
In [2]: r = hurl.get("http://stackoverflow.com")
In [3]: r.headers
Out[3]:
{'cache-control': 'public, max-age=45',
'content-length': '198515',
'content-type': 'text/html; charset=utf-8',
'date': 'Thu, 01 Sep 2011 11:53:43 GMT',
'expires': 'Thu, 01 Sep 2011 11:54:28 GMT',
'last-modified': 'Thu, 01 Sep 2011 11:53:28 GMT',
'vary': '*'}
于 2011-09-01T11:54:40.897 回答
1
这可能是也可能不是您的选择:
import urllib
headers = urllib.urlopen('http://www.pythonchallenge.com').headers.headers
于 2009-01-23T09:26:00.347 回答