如何用迭代器包装asyncio

时间:2019-03-13 00:34:41

标签: iterator python-asyncio

我有以下简化代码:

async def asynchronous_function(*args, **kwds):
    statement = await prepare(query)
    async with conn.transaction():
        async for record in statement.cursor():
            ??? yield record ???

...

class Foo:

    def __iter__(self):
        records = ??? asynchronous_function ???
        yield from records

...

x = Foo()
for record in x:
    ...

我不知道如何填写上面的???。我想产生记录数据,但是如何包装异步代码真的不是很明显。

2 个答案:

答案 0 :(得分:3)

虽然确实打算将asyncio全面使用,但有时根本不可能立即将一大块软件(及其所有依赖项)立即转换为async。幸运的是,有一些方法可以将传统同步代码与新编写的异步部分结合在一起。一种简单的方法是在专用线程中运行事件循环,并使用asyncio.run_coroutine_threadsafe向其提交任务。

使用这些低级工具,您可以编写一个通用适配器,将任何异步迭代器转换为同步迭代器。例如:

import asyncio, threading, queue

# create an asyncio loop that runs in the background to
# serve our asyncio needs
loop = asyncio.get_event_loop()
threading.Thread(target=loop.run_forever, daemon=True).start()

def wrap_async_iter(ait):
    """Wrap an asynchronous iterator into a synchronous one"""
    q = queue.Queue()
    _END = object()

    def yield_queue_items():
        while True:
            next_item = q.get()
            if next_item is _END:
                break
            yield next_item
        # After observing _END we know the aiter_to_queue coroutine has
        # completed.  Invoke result() for side effect - if an exception
        # was raised by the async iterator, it will be propagated here.
        async_result.result()

    async def aiter_to_queue():
        try:
            async for item in ait:
                q.put(item)
        finally:
            q.put(_END)

    async_result = asyncio.run_coroutine_threadsafe(aiter_to_queue(), loop)
    return yield_queue_items()

然后您的代码只需要调用wrap_async_iter即可将一个异步迭代器包装到一个同步迭代器中:

async def mock_records():
    for i in range(3):
        yield i
        await asyncio.sleep(1)

for record in wrap_async_iter(mock_records()):
    print(record)

在您的情况下,Foo.__iter__将使用yield from wrap_async_iter(asynchronous_function(...))

答案 1 :(得分:1)

如果要从异步生成器接收所有记录,则可以使用async for,或者简称为asynchronous comprehensions

async def asynchronous_function(*args, **kwds):
    # ...
    yield record


async def aget_records():
    records = [
        record 
        async for record 
        in asynchronous_function()
    ]
    return records

如果您想从异步函数(即阻塞)中同步获取结果,则只需运行此函数in asyncio loop

def get_records():
    records = asyncio.run(aget_records())
    return records

但是,请注意,一旦在事件循环中运行一些协程,您将失去与其他协程同时(即并行)运行此协程的能力,从而获得所有相关的好处。

正如 Vincent 在评论中所指出的那样,asyncio并不是使代码更快的魔杖,它是一种有时可以以较低的成本并发地运行不同的I / O任务的工具。开销。

您可能有兴趣阅读this answer,以了解asyncio背后的主要思想。