如何在异步函数中使用'yield'?

时间:2016-05-31 15:30:08

标签: python yield python-3.5 python-asyncio

我想使用generator yield和async函数。我读了this topic,然后写了下一段代码:

import asyncio

async def createGenerator():
    mylist = range(3)
    for i in mylist:
        await asyncio.sleep(1)
        yield i*i

async def start():
    mygenerator = await createGenerator()
    for i in mygenerator:
        print(i)

loop = asyncio.get_event_loop()

try:
    loop.run_until_complete(start())

except KeyboardInterrupt:
    loop.stop()
    pass

但是我得到了错误:

SyntaxError:异步函数内的'yield'

如何在异步函数中使用yield生成器?

3 个答案:

答案 0 :(得分:47)

<强> UPD:

从Python 3.6开始,我们有asynchronous generators并且能够直接在协同程序中使用yield

import asyncio


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


async def main():
    async for i in async_generator():
        print(i)


loop = asyncio.get_event_loop()
try:
    loop.run_until_complete(main())
finally:
    loop.run_until_complete(loop.shutdown_asyncgens())  # see: https://docs.python.org/3/library/asyncio-eventloop.html#asyncio.loop.shutdown_asyncgens
    loop.close()

Python 3.5的旧答案:

您无法在协同程序中yield。唯一的方法是使用__aiter__ / __anext__魔术方法手动实施Asynchronous Iterator。在你的情况下:

import asyncio


class async_generator:
    def __init__(self, stop):
        self.i = 0
        self.stop = stop

    async def __aiter__(self):
        return self

    async def __anext__(self):
        i = self.i
        self.i += 1
        if self.i <= self.stop:
            await asyncio.sleep(1)
            return i * i
        else:
            raise StopAsyncIteration


async def main():
    async for i in async_generator(3):
        print(i)


if __name__ == "__main__":
    loop = asyncio.get_event_loop()
    loop.run_until_complete(main())

输出:

0
1
4

以下是另外两个示例:12

答案 1 :(得分:6)

新的Python 3.6支持异步生成器。

PEP 0525

What's new in Python 3.6

PS:在撰写本文时,Python 3.6仍处于测试阶段。如果您使用的是GNU / Linux或OS X,并且迫不及待,可以尝试使用pyenv的新Python。

答案 2 :(得分:1)

这应该适用于python 3.6(使用3.6.0b1测试):

import asyncio

async def createGenerator():
    mylist = range(3)
    for i in mylist:
        await asyncio.sleep(1)
        yield i*i

async def start():
    async for i in createGenerator():
        print(i)

loop = asyncio.get_event_loop()

try:
    loop.run_until_complete(start())

except KeyboardInterrupt:
    loop.stop()
    pass