6

我尝试使用以下代码在 Python 3.2.3 中保持与 urllib.request 的 HTTP 连接:

handler = urllib.request.HTTPHandler()
opener = urllib.request.build_opener(handler)
opener.addheaders = [("connection", "keep-alive"), ("Cookie", cookie_value)]
r = opener.open(url)

但是,如果我收听与 Wireshark 的连接,我会得到一个带有“连接:关闭”的标题,但设置了 Cookie。

Host: url
Cookie: cookie-value
Connection: close

我需要做什么才能将 Headerinfo 设置为 Connection: keep-alive?

4

2 回答 2

1

我通过使用保持连接活跃http-client

import http.client
conn = http.client.HTTPConnection(host, port)
conn.request(method, url, body, headers)

标题只是给 dict 和 body 仍然可以使用urllib.parse.urlencode。因此,您可以通过 http 客户端制作 Cookie 标头。

参考:
官方参考

于 2013-11-09T03:59:10.603 回答
1

如果您需要比普通 http.client 更自动化的东西,这可能会有所帮助,尽管它不是线程安全的。

from http.client import HTTPConnection, HTTPSConnection
import select
connections = {}


def request(method, url, body=None, headers={}, **kwargs):
    scheme, _, host, path = url.split('/', 3)
    h = connections.get((scheme, host))
    if h and select.select([h.sock], [], [], 0)[0]:
        h.close()
        h = None
    if not h:
        Connection = HTTPConnection if scheme == 'http:' else HTTPSConnection
        h = connections[(scheme, host)] = Connection(host, **kwargs)
    h.request(method, '/' + path, body, headers)
    return h.getresponse()


def urlopen(url, data=None, *args, **kwargs):
    resp = request('POST' if data else 'GET', url, data, *args, **kwargs)
    assert resp.status < 400, (resp.status, resp.reason, resp.read())
    return resp
于 2014-11-23T15:00:56.377 回答