每当我对使用 asyncio 和 aiohttp 访问的 API 发出超过 200 个请求时,我都会收到 aiohttp client_exception.ServerDisconnectedError。它似乎不是我的代码,因为它对较少数量的请求始终如一地工作,但对任何较大数量的请求都会失败。试图了解此错误是否与 aiohttp、我的代码或 API 端点本身有关?网上似乎没有太多关于此的信息。
Traceback (most recent call last):
File "C:/usr/PycharmProjects/api_framework/api_framework.py", line 27, in <module>
stuff = abc.do_stuff_2()
File "C:\usr\PycharmProjects\api_framework\api\abc\abc.py", line 72, in do_stuff
self.queue_manager(self.do_stuff(json_data))
File "C:\usr\PycharmProjects\api_framework\api\abc\abc.py", line 115, in queue_manager
loop.run_until_complete(future)
File "C:\Python36x64\lib\asyncio\base_events.py", line 466, in run_until_complete
return future.result()
File "C:\usr\PycharmProjects\api_framework\api\abc\abc.py", line 96, in do_stuff
result = await asyncio.gather(*tasks)
File "C:\usr\PycharmProjects\api_framework\api\abc\abc.py", line 140, in async_post
async with session.post(self.api_attr.api_endpoint + resource, headers=self.headers, data=data) as response:
File "C:\Python36x64\lib\site-packages\aiohttp\client.py", line 843, in __aenter__
self._resp = await self._coro
File "C:\Python36x64\lib\site-packages\aiohttp\client.py", line 387, in _request
await resp.start(conn)
File "C:\Python36x64\lib\site-packages\aiohttp\client_reqrep.py", line 748, in start
message, payload = await self._protocol.read()
File "C:\Python36x64\lib\site-packages\aiohttp\streams.py", line 533, in read
await self._waiter
aiohttp.client_exceptions.ServerDisconnectedError: None
下面是生成异步请求的一些代码:
def some_other_method(self):
self.queue_manager(self.do_stuff(all_the_tasks))
def queue_manager(self, method):
print('starting event queue')
loop = asyncio.get_event_loop()
future = asyncio.ensure_future(method)
loop.run_until_complete(future)
loop.close()
async def async_post(self, resource, session, data):
async with session.post(self.api_attr.api_endpoint + resource, headers=self.headers, data=data) as response:
resp = await response.read()
return resp
async def do_stuff(self, data):
print('queueing tasks')
tasks = []
async with aiohttp.ClientSession() as session:
for row in data:
task = asyncio.ensure_future(self.async_post('my_api_endpoint', session, row))
tasks.append(task)
result = await asyncio.gather(*tasks)
self.load_results(result)
任务完成后,self.load_results() 方法只解析 json 并更新数据库。
原文由 hyphen 发布,翻译遵循 CC BY-SA 4.0 许可协议
这很可能是由 HTTP 服务器的配置引起的。 ServerDisconnectedError 至少有两个可能的原因:
aiohttp
已经将并行连接数限制为 100。您可以尝试降低限制,看看是否可以解决问题。为此,您可以创建一个具有不同限制值的自定义TCPConnector
并将其传递给ClientSession
:aiohttp
使用 HTTP keep-alive,以便同一个 TCP 连接可以用于多个请求。这提高了性能,因为不必为每个请求建立新的 TCP 连接。但是,某些服务器会限制 TCP 连接的持续时间,如果您对多个请求使用同一个 TCP 连接,服务器可能会在您完成连接之前将其关闭。作为解决方法,您可以禁用 HTTP keep-alive。 To do so, you can create a customTCPConnector
with the parameterforce_close
set toTrue
, and pass it to theClientSession
:我遇到了同样的问题,禁用 HTTP keep-alive 是我的解决方案。希望这可以帮助。