如何交换在python3.5中永远运行的异步函数的值?

时间:2018-03-09 21:47:26

标签: python-3.x arguments python-asyncio

我正在尝试学习python异步模块,我已经在互联网上的任何地方搜索过youtube pycon和其他各种视频,但我找不到从一个异步函数(永远运行)获取变量的方法变量到其他异步函数(永远运行)

演示代码:

async def one():
    while True:
        ltp += random.uniform(-1, 1)
        return ltp

async def printer(ltp):
    while True:
        print(ltp)

1 个答案:

答案 0 :(得分:3)

与任何其他Python代码一样,这两个协同程序可以使用它们共享的对象进行通信,最常见的是self

class Demo:
    def __init__(self):
        self.ltp = 0

    async def one(self):
        while True:
            self.ltp += random.uniform(-1, 1)
            await asyncio.sleep(0)

    async def two(self):
        while True:
            print(self.ltp)
            await asyncio.sleep(0)

loop = asyncio.get_event_loop()
d = Demo()
loop.create_task(d.one())
loop.create_task(d.two())
loop.run_forever()

上述代码的问题是one()无论是否有人正在阅读它们,都会继续生成值。此外,无法保证two()的运行速度不会超过one(),在这种情况下,它会多次看到相同的值。这两个问题的解决方案是通过有界队列进行通信:

class Demo:
    def __init__(self):
        self.queue = asyncio.Queue(1)

    async def one(self):
        ltp = 0
        while True:
            ltp += random.uniform(-1, 1)
            await self.queue.put(ltp)

    async def two(self):
        while True:
            ltp = await self.queue.get()
            print(ltp)
            await asyncio.sleep(0)