Смысл async
/ await
заключается в чередовании задач , а не функций / генераторов.Например, когда вы await asyncio.sleep(1)
, ваша текущая сопрограмма задерживается вместе со сном.Точно так же async for
задерживает свою сопрограмму до тех пор, пока не будет готов следующий элемент.
Чтобы запустить отдельные функции, вы должны создать каждую часть как отдельную задачу.Используйте Queue
для обмена предметами между ними - задания будут отложены только до тех пор, пока они не обменяются предметами.
from asyncio import Queue, sleep, run, gather
# the original async generator
async def g():
for i in range(3):
await sleep(1)
yield i
async def producer(queue: Queue):
async for i in g():
print('send', i)
await queue.put(i) # resume once item is fetched
await queue.put(None)
async def consumer(queue: Queue):
x = await queue.get() # resume once item is fetched
while x is not None:
print('got', x)
await sleep(2)
x = await queue.get()
async def main():
queue = Queue()
# tasks only share the queue
await gather(
producer(queue),
consumer(queue),
)
run(main())
Если вам регулярно нужна эта функциональность, вы также можете поместить ее в помощник.объект, который оборачивает асинхронную итерацию.Помощник инкапсулирует очередь и отдельную задачу.Вы можете применить помощник непосредственно к асинхронной итерации в операторе async for
.
from asyncio import Queue, sleep, run, ensure_future
# helper to consume iterable as concurrent task
async def _enqueue_items(async_iterable, queue: Queue, sentinel):
async for item in async_iterable:
await queue.put(item)
await queue.put(sentinel)
async def concurrent(async_iterable):
"""Concurrently fetch items from ``async_iterable``"""
queue = Queue()
sentinel = object()
consumer = ensure_future( # concurrently fetch items for the iterable
_enqueue_items(async_iterable, queue, sentinel)
)
try:
item = await queue.get()
while item is not sentinel:
yield item
item = await queue.get()
finally:
consumer.cancel()
# the original generator
async def g():
for i in range(3):
await sleep(1)
yield i
# the original main - modified with `concurrent`
async def main():
async for x in concurrent(g()):
print(x)
await sleep(2)
run(main())