我需要编写一个python脚本,对同一个站点发出多个HTTP请求。除非我错了(我很可能)urllib为每个请求重新验证。由于我不会进入的原因,我需要能够进行一次身份验证,然后将该会话用于其余的请求。
我正在使用python 2.3.4
答案 0 :(得分:29)
使用Requests库。来自http://docs.python-requests.org/en/latest/user/advanced/#session-objects:
Session对象允许您跨越某些参数 要求。它还会在所有请求中保留cookie 会话实例。
s = requests.session() s.get('http://httpbin.org/cookies/set/sessioncookie/123456789') r = s.get("http://httpbin.org/cookies") print r.text # '{"cookies": {"sessioncookie": "123456789"}}'
答案 1 :(得分:24)
如果要保留身份验证,则需要重用cookie。我不确定urllib2在python 2.3.4中是否可用,但这里有一个如何做的例子:
req1 = urllib2.Request(url1)
response = urllib2.urlopen(req1)
cookie = response.headers.get('Set-Cookie')
# Use the cookie is subsequent requests
req2 = urllib2.Request(url2)
req2.add_header('cookie', cookie)
response = urllib2.urlopen(req2)
答案 2 :(得分:16)
如果这是基于cookie的身份验证,请使用HTTPCookieProcessor:
import cookielib, urllib2
cj = cookielib.CookieJar()
opener = urllib2.build_opener(urllib2.HTTPCookieProcessor(cj))
r = opener.open("http://example.com/")
如果这是HTTP身份验证,请使用basic or digest AuthHandler:
import urllib2
# Create an OpenerDirector with support for Basic HTTP Authentication...
auth_handler = urllib2.HTTPBasicAuthHandler()
auth_handler.add_password(realm='PDQ Application',
uri='https://mahler:8092/site-updates.py',
user='klem',
passwd='kadidd!ehopper')
opener = urllib2.build_opener(auth_handler)
# ...and install it globally so it can be used with urlopen.
urllib2.install_opener(opener)
urllib2.urlopen('http://www.example.com/login.html')
...并为每个请求使用相同的开场白。
在Python3中,urllib2和cookielib分别移至http.request和http.cookiejar。