我在组合异步生成器和实际运行它们时遇到了麻烦。这是因为我发现运行它们的唯一方法是通过一个返回可迭代而不是生成器的事件循环。让我用一个简单的例子说明这一点:
假设我有一个google_search函数可以通过抓取来搜索谷歌(我没有故意使用API)。它接收搜索字符串并返回搜索结果的生成器。当页面结束时,此生成器不会结束,该功能将继续到下一页。因此google_search函数返回一个可能几乎无穷无尽的生成器(它在技术上总是会结束,但通常你可以在谷歌搜索获得数百万次点击)
def google_search(search_string):
# Basically uses requests/aiohttp and beautifulsoup
# to parse the resulting html and yield search results
# Assume this function works
......
好的,现在我想创建一个允许我迭代多个google_search生成器的函数。我想要这样的事情:
def google_searches(*search_strings):
for results in zip(google_search(query) for query in search_strings):
yield results
这样我就可以使用简单的for循环来展开google_searches并获得我的结果。上面的代码运行良好,但对于任何相当多的搜索都非常慢。代码正在发送第一次搜索的请求,然后是第二次搜索等等,直到最后,它产生结果。我想加快速度(很多)。我的第一个想法是将google_searches更改为异步函数(我使用的是python 3.6.3并且可以使用await / async等)。然后创建一个异步生成器,但是我只能在另一个异步函数或事件循环中运行它。在run_until_complete(loop.gather(...))的事件循环中运行它会返回一个结果列表而不是一个普通的生成器,这会破坏目的,因为可能会有太多的搜索结果保存在列表中。
如何通过异步执行请求同时使其成为一个香草生成器来更快地使google_searches功能(使用优选的异步代码,但欢迎任何事情)? 提前谢谢!
答案 0 :(得分:4)
在再次调用生成器之前,接受的答案等待来自EACH异步生成器的一个结果。如果数据没有以完全相同的速度出现,那可能是个问题。下面的解决方案需要多个异步迭代(生成器或不生成器),并在多个协同程序中同时迭代它们。每个协程将结果放在asyncio.Queue
中,然后由客户端代码迭代:
迭代器代码:
import asyncio
from async_timeout import timeout
class MergeAsyncIterator:
def __init__(self, *it, timeout=60, maxsize=0):
self._it = [self.iter_coro(i) for i in it]
self.timeout = timeout
self._futures = []
self._queue = asyncio.Queue(maxsize=maxsize)
def __aiter__(self):
for it in self._it:
f = asyncio.ensure_future(it)
self._futures.append(f)
return self
async def __anext__(self):
if all(f.done() for f in self._futures) and self._queue.empty():
raise StopAsyncIteration
with timeout(self.timeout):
try:
return await self._queue.get()
except asyncio.CancelledError:
raise StopAsyncIteration
def iter_coro(self, it):
if not hasattr(it, '__aiter__'):
raise ValueError('Object passed must be an AsyncIterable')
return self.aiter_to_queue(it)
async def aiter_to_queue(self, ait):
async for i in ait:
await self._queue.put(i)
await asyncio.sleep(0)
示例客户端代码:
import random
import asyncio
from datetime import datetime
async def myaiter(name):
for i in range(5):
n = random.randint(0, 3)
await asyncio.sleep(0.1 + n)
yield (name, n)
yield (name, 'DONE')
async def main():
aiters = [myaiter(i) for i in 'abc']
async for i in MergeAsyncIterator(*aiters, timeout=3):
print(datetime.now().strftime('%H:%M:%S.%f'), i)
loop = asyncio.get_event_loop()
loop.run_until_complete(main())
<强>输出:强>
14:48:28.638975 ('a', 1)
14:48:29.638822 ('b', 2)
14:48:29.741651 ('b', 0)
14:48:29.742013 ('a', 1)
14:48:30.639588 ('c', 3)
14:48:31.742705 ('c', 1)
14:48:31.847440 ('b', 2)
14:48:31.847828 ('a', 2)
14:48:31.847960 ('c', 0)
14:48:32.950166 ('c', 1)
14:48:33.948791 ('a', 2)
14:48:34.949339 ('b', 3)
14:48:35.055487 ('c', 2)
14:48:35.055928 ('c', 'DONE')
14:48:36.049977 ('a', 2)
14:48:36.050481 ('a', 'DONE')
14:48:37.050415 ('b', 2)
14:48:37.050966 ('b', 'DONE')
PS:上面的代码使用async_timeout
第三方库
PS2:aiostream
库与上面的代码完全相同,而且还有更多。
答案 1 :(得分:3)
def google_search(search_string):
# Basically uses requests/aiohttp and beautifulsoup
这是普通的同步发电机。您可以在其中使用requests
,但如果您想使用异步aiohttp
,则需要使用async def
定义asynchronous generator。
迭代多个异步生成器会变得更有趣。您不能使用普通zip
,因为它适用于普通的迭代,而不是异步迭代。所以你应该实现自己的(也支持并发迭代)。
我制作了一个我认为可以做你想要的原型:
import asyncio
import aiohttp
import time
# async versions of some builtins:
async def anext(aiterator):
try:
return await aiterator.__anext__()
except StopAsyncIteration as exc:
raise exc
def aiter(aiterable):
return aiterable.__aiter__()
async def azip(*iterables):
iterators = [aiter(it) for it in iterables]
while iterators:
results = await asyncio.gather(
*[anext(it) for it in iterators],
return_exceptions=True,
)
yield tuple(results)
# emulating grabbing:
async def request(url):
async with aiohttp.ClientSession() as session:
async with session.get(url) as resp:
return await resp.text()
async def google_search(search_string):
for i in range(999): # big async generator
url = 'http://httpbin.org/delay/{}'.format(i) # increase delay to better see concurency
j = await request(url)
yield search_string + ' ' + str(i)
async def google_searches(*search_strings):
async for results in azip(*[google_search(s) for s in search_strings]):
for result in results:
yield result
# test it works:
async def main():
async for result in google_searches('first', 'second', 'third'):
print(result, int(time.time()))
loop = asyncio.get_event_loop()
try:
loop.run_until_complete(main())
loop.run_until_complete(loop.shutdown_asyncgens())
finally:
loop.close()
<强>输出:强>
first 0 1514759561
second 0 1514759561
third 0 1514759561
first 1 1514759562
second 1 1514759562
third 1 1514759562
first 2 1514759564
second 2 1514759564
third 2 1514759564
first 3 1514759567
second 3 1514759567
third 3 1514759567
时间显示不同的搜索同时运行。
答案 2 :(得分:0)
我将在此处粘贴我之前编写的解决方案,因为我总是以这个问题而告终,以记住我之前已经解决了这个问题。
async def iterator_merge(iterators: typing.Dict[typing.AsyncIterator, typing.Optional[asyncio.Future]]):
while iterators:
for iterator, value in list(iterators.items()):
if not value:
iterators[iterator] = asyncio.ensure_future(iterator.__anext__())
tasks, _ = await asyncio.wait(iterators.values(), return_when=asyncio.FIRST_COMPLETED)
for task in tasks:
# We send the result up
try:
res = task.result()
yield res
except StopAsyncIteration:
# We remove the task from the list
for it, old_next in list(iterators.items()):
if task is old_next:
logger.debug(f'Iterator {it} finished consuming')
iterators.pop(it)
else:
# We remove the task from the key
for it, old_next in list(iterators.items()):
if task is old_next:
iterators[it] = None
它具有键入注释,但是我认为这是一个很好的解决方案。本来是用异步生成器作为键来调用的,如果有等待的话,它将作为将来的调用。
iterators = {
k8s_stream_pod_log(name=name): None,
k8s_stream_pod_events(name=name): None,
}
您可以在github.com/txomon/abot中找到它的使用方式。