小编典典

在 Python 中使用 Requests 库发送“用户代理”

all

我想在"User-agent"使用 Python 请求请求网页时发送一个值。我不确定是否可以将其作为标头的一部分发送,如下面的代码所示:

debug = {'verbose': sys.stderr}
user_agent = {'User-agent': 'Mozilla/5.0'}
response  = requests.get(url, headers = user_agent, config=debug)

调试信息未显示请求期间发送的标头。

在标头中发送此信息是否可以接受?如果没有,我该如何发送?


阅读 118

收藏
2022-04-26

共1个答案

小编典典

user-agent应指定为标题中的字段。

这是HTTP
标头字段列表
,您可能会对特定于请求的字段感兴趣,其中包括User- Agent.

如果您使用 requests v2.13 和更新版本

做你想做的最简单的方法是创建一个字典并直接指定你的标题,如下所示:

import requests

url = 'SOME URL'

headers = {
    'User-Agent': 'My User Agent 1.0',
    'From': 'youremail@domain.com'  # This is another valid field
}

response = requests.get(url, headers=headers)

如果您使用 requests v2.12.x 及更早版本

旧版本的requests破坏默认标头,因此您需要执行以下操作以保留默认标头,然后将您自己的标头添加到其中。

import requests

url = 'SOME URL'

# Get a copy of the default headers that requests would use
headers = requests.utils.default_headers()

# Update the headers with your custom ones
# You don't have to worry about case-sensitivity with
# the dictionary keys, because default_headers uses a custom
# CaseInsensitiveDict implementation within requests' source code.
headers.update(
    {
        'User-Agent': 'My User Agent 1.0',
    }
)

response = requests.get(url, headers=headers)
2022-04-26