在 Python 中,访问网络资源最有名的库就是 requests、aiohttp 和 httpx。一般情况下,requests 只能发送同步请求;aiohttp 只能发送异步请求;httpx 既能发送同步请求,又能发送异步请求。
下面,就着重介绍一下 httpx 的使用方法。
使用 pip 安装 httpx:
pip install httpx
当然了,httpx 也可以使用命令行操作。不过,需要按如下命令安装。
pip install 'httpx[cli]'
命令行测试发送请求:
直接用 get
方法,如下:
import httpx
r = httpx.get('https://httpbin.org/get')
print(r.status_code) #状态
print(r.text) #内容
对于带参数的 URL,传入一个 dict 作为 params 参数,如下:
import httpx
r = httpx.get('https://httpbin.org/get', params={'q': 'python', 'cat': '1001'})
print(r.url) #实际请求的URL
print(r.text)
对于特定类型的响应,例如 JSON,可以直接获取,如下:
r = httpx.get('https://httpbin.org/get')
r.json()
# {'args': {}, 'headers': {'Accept': '*/*', 'Accept-Encoding': ...
对于非文本响应,响应内容也可以以字节的形式访问,如下:
>>> r.content
b'\n\n\nExample Domain ...'
需要传入 HTTP Header 时,我们传入一个 dict 作为 headers 参数,如下:
r = httpx.get('https://www.baidu.com/', headers={'User-Agent': 'Mozilla/5.0 (iPhone; CPU iPhone OS 11_0 like Mac OS X) AppleWebKit'})
获取响应头,如下:
r.headers
# {Content-Type': 'text/html; charset=utf-8', 'Transfer-Encoding': 'chunked', 'Content-Encoding': 'gzip', ...}
r.headers['Content-Type']
# 'text/html; charset=utf-8'
要发送 POST 请求,只需要把 get()方法变成 post(),然后传入 data 参数作为 POST 请求的数据,如下:
r = httpx.post('https://accounts.baidu.com/login', data={'form_email': '[email protected]', 'pwd': '123456'})
httpx 默认使用 application/x-www-form-urlencoded 对 POST 数据编码。如果要传递 JSON 数据,可以直接传入 json 参数,如下:
params = {'key': 'value'}
r = httpx.post(url, json=params) #内部自动序列化为JSON
content = b'Hello, world'
r = httpx.post("https://httpbin.org/post", content=content)
上传文件操作如下:
upload_files = {'upload-file': open('report.xls', 'rb')}
r = httpx.post('https://httpbin.org/post', files=upload_files)
如果需要在上传文件时包含非文件数据字段,请使用 data 参数,如下:
data = {'message': 'Hello, world!'}
files = {'file': open('report.xls', 'rb')}
r = httpx.post("https://httpbin.org/post", data=data, files=files)
print(r.text)
可以流式传输响应的二进制内容:
>>> with httpx.stream("GET", "https://www.example.com") as r:
... for data in r.iter_bytes():
... print(data)
或者返回文本:
>>> with httpx.stream("GET", "https://www.example.com") as r:
... for text in r.iter_text():
... print(text)
或者逐行流式传输:
>>> with httpx.stream("GET", "https://www.example.com") as r:
... for line in r.iter_lines():
... print(line)
在请求中传入 Cookie,只需准备一个 dict 传入 cookies 参数,如下:
cs = {'token': '12345', 'status': 'working'}
r = httpx.get(url, cookies=cs)
httpx 对 Cookie 做了特殊处理,使得我们不必解析 Cookie 就可以轻松获取指定的 Cookie,如下:
r.cookies['token']
# 12345
默认超时为 5 秒。要指定超时,传入以秒为单位的 timeout 参数。超时分为连接超时和读取超时,如下:
try:
# 3.1秒后连接超时,27秒后读取超时
r = requests.get(url, timeout=(3.1, 27))
except requests.exceptions.RequestException as e:
print(e)
当然,也可以禁用超时:
httpx.get('https://github.com/', timeout=None)
def gethtml(url):
i = 0
while i < 3:
try:
html = httpx.get(url, timeout=5).text
return html
except httpx.exceptions.RequestException:
i += 1
默认情况下,httpx 不会遵循所有 HTTP 方法的重定向,不过可以使用 follow_redirects 开启重定向:
>>> r = httpx.get('http://github.com/', follow_redirects=True)
>>> r.url
URL('https://github.com/')
>>> r.status_code
200
>>> r.history
[]
使用 httpx.Client() ,实际上是调用 HTTP 链接池。可以带来显著的性能改进。包括:减少跨请求的延迟(无需握手),减少 CPU 使用和往返,减少网络拥塞。
使用 Client 的推荐方式是作为上下文管理器。这将确保在离开 with 块时正确清理连接:
with httpx.Client() as client:
...
或者,可以使用.close()显式关闭连接池,而无需使用块:
client = httpx.Client()
try:
...
finally:
client.close()
一旦有了 Client,您可以使用.get().post()等发送请求。例如:
>>> with httpx.Client() as client:
... r = client.get('https://example.com')
...
>>> r
Client 允许您通过将参数传递给 Client 构造函数来将配置应用于所有传出请求:
>>> url = 'http://httpbin.org/headers'
>>> headers = {'user-agent': 'my-app/0.0.1'}
>>> with httpx.Client(headers=headers) as client:
... r = client.get(url)
...
>>> r.json()['headers']['User-Agent']
'my-app/0.0.1'
此外,base_url 允许您为所有传出请求预留 URL:
>>> with httpx.Client(base_url='http://httpbin.org') as client:
... r = client.get('/headers')
...
>>> r.request.url
URL('http://httpbin.org/headers')
如果您需要监控大响应的下载进度,您可以使用响应流并检查 responseresponse.num_bytes_downloaded 属性:
import tempfile
import httpx
with tempfile.NamedTemporaryFile() as download_file:
url = "https://speed.hetzner.de/100MB.bin"
with httpx.stream("GET", url) as response:
print('response', response)
total = int(response.headers["Content-Length"])
print('total', total)
for chunk in response.iter_bytes():
download_file.write(chunk)
percent = response.num_bytes_downloaded / total
print('percent: {:.2%}'.format(percent))
httpx 支持通过 proxies 参数设置 HTTP 代理:
with httpx.Client(proxies="http://localhost:8030") as client:
...
对于更高级的用例,请传递代理 dict。例如,要将 HTTP 和 HTTPS 请求路由到 2 个不同的代理,分别位于 http://localhost:8030 和 http://localhost:8031,请传递代理 URL:
proxies = {
"http://": "http://localhost:8030",
"https://": "http://localhost:8031",
}
with httpx.Client(proxies=proxies) as client:
...
代理凭据可以作为代理 URLuserinfo 部分传递:
proxies = {
"http://": "http://username:password@localhost:8030",
# ...
}
>>> async with httpx.AsyncClient() as client:
... r = await client.get('https://www.example.com/')
...
>>> r
使用 with:
async with httpx.AsyncClient() as client:
...
显式关闭客户端:
client = httpx.AsyncClient()
...
await client.aclose()
>>> client = httpx.AsyncClient()
>>> async with client.stream('GET', 'https://www.example.com/') as response:
... async for chunk in response.aiter_bytes():
... ...
异步响应流方法有:
更多编程教学请关注公众号:潘高陪你学编程