Заголовки пользовательских запросов
Если вам нужно добавить заголовки HTTP к запросу, передайте их в dict параметру заголовков.
он находится вдокументация http://docs.aiohttp.org/en/stable/client_advanced.html#custom-request-headers
url = 'http://example.com/image'
payload = b'GIF89a\x01\x00\x01\x00\x00\xff\x00,\x00\x00'
b'\x00\x00\x01\x00\x01\x00\x00\x02\x00;'
headers = {'content-type': 'image/gif'}
await session.post(url,
data=payload,
headers=headers)
Чтобы добавить пользовательские параметры по умолчанию и позже, вы можете сделать это следующим образом без каких-либо подклассов ( на основе этой части документации )
import asyncio
from aiohttp import ClientSession
async def fetch(url, params, loop):
async with ClientSession() as session:
async with session.get(url, params=params) as response:
print(response.request_info)
print(str(response.url))
print(response.status)
args = await response.json()
resp_text = await response.text()
print('args:', args['args'])
print(resp_text)
def main(url, params):
loop = asyncio.get_event_loop()
return loop.run_until_complete(fetch(url, params, loop))
if __name__ == '__main__':
url = 'http://httpbin.org/get'
default_params = {'param1': 1, 'param2': 2}
main(url, default_params)
new_params = {'some_parameter': 'a value', 'other_parameter': 'another value'}
default_params.update(new_params)
main(url, default_params)
Результат:
RequestInfo(url=URL('http://httpbin.org/get?param1=1¶m2=2'), method='GET', headers=<CIMultiDict('Accept': '*/*', 'Accept-Encoding': 'gzip, deflate', 'Host': 'httpbin.org', 'User-Agent': 'Python/3.5 aiohttp/3.4.4')>, real_url=URL('http://httpbin.org/get?param1=1¶m2=2'))
http://httpbin.org/get?param1=1¶m2=2
200
args: {'param1': '1', 'param2': '2'}
{
"args": {
"param1": "1",
"param2": "2"
},
"headers": {
"Accept": "*/*",
"Accept-Encoding": "gzip, deflate",
"Connection": "close",
"Host": "httpbin.org",
"User-Agent": "Python/3.5 aiohttp/3.4.4"
},
"origin": "10.10.10.10",
"url": "http://httpbin.org/get?param1=1¶m2=2"
}
RequestInfo(url=URL('http://httpbin.org/get?param1=1¶m2=2&some_parameter=a+value&other_parameter=another+value'), method='GET', headers=<CIMultiDict('Accept': '*/*', 'Accept-Encoding': 'gzip, deflate', 'Host': 'httpbin.org', 'User-Agent': 'Python/3.5 aiohttp/3.4.4')>, real_url=URL('http://httpbin.org/get?param1=1¶m2=2&some_parameter=a+value&other_parameter=another+value'))
http://httpbin.org/get?param1=1¶m2=2&some_parameter=a+value&other_parameter=another+value
200
args: {'other_parameter': 'another value', 'param1': '1', 'param2': '2', 'some_parameter': 'a value'}
{
"args": {
"other_parameter": "another value",
"param1": "1",
"param2": "2",
"some_parameter": "a value"
},
"headers": {
"Accept": "*/*",
"Accept-Encoding": "gzip, deflate",
"Connection": "close",
"Host": "httpbin.org",
"User-Agent": "Python/3.5 aiohttp/3.4.4"
},
"origin": "10.10.10.10",
"url": "http://httpbin.org/get?param1=1¶m2=2&some_parameter=a+value&other_parameter=another+value"
}