我正在查看asyncio
的Python文档,我想知道为什么大多数示例使用loop.run_until_complete()
而不是Asyncio.ensure_future()
。
例如:https://docs.python.org/dev/library/asyncio-task.html
似乎ensure_future
是一种更好的方式来展示非阻塞函数的优点。另一方面,run_until_complete
像同步函数一样阻塞循环。
这让我觉得我应该使用run_until_complete
而不是ensure_future
与loop.run_forever()
的组合来同时运行多个协同例程。
答案 0 :(得分:17)
run_until_complete
用于运行未来,直到它完成。它将阻止跟随它的代码的执行。但是,它会导致事件循环运行。任何已安排的期货都将运行,直到将来run_until_complete
完成。
给出这个例子:
import asyncio
async def do_io():
print('io start')
await asyncio.sleep(5)
print('io end')
async def do_other_things():
print('doing other things')
loop = asyncio.get_event_loop()
loop.run_until_complete(do_io())
loop.run_until_complete(do_other_things())
loop.close()
do_io
将会运行。完成后,do_other_things
将运行。您的输出将是:
io start
io end
doing other things
如果您在运行do_other_things
之前安排了do_io
事件循环,那么当前者等待时,控件将从do_io
切换到do_other_things
。
loop.create_task(do_other_things())
loop.run_until_complete(do_io())
这将获得以下输出:
doing other things
io start
io end
这是因为在do_other_things
之前安排了do_io
。有很多不同的方法可以获得相同的输出,但哪一个有意义实际上取决于您的应用程序实际执行的操作。所以我将把它作为练习留给读者。
答案 1 :(得分:1)
我想大多数人不理解create_task
。
当您 create_task
或 ensure_future
时,它已被安排。
async def say_after(delay, what):
await asyncio.sleep(delay)
print(what)
async def main():
task1 = asyncio.create_task(
say_after(1, 'hello')) # not block here
task2 = asyncio.create_task(
say_after(2, 'world'))
print(f"started at {time.strftime('%X')}") # time0
await task1 # block here!
print(f"finished at {time.strftime('%X')}")
await task2 # block here!
print(f"finished at {time.strftime('%X')}")
asyncio.run(main())
结果是
time0
print hello
time0+1
print world
time0+2
但是如果您不等待任务1,请做其他事情
async def main():
task1 = asyncio.create_task(
say_after(1, 'hello')) # not block here
print(f"finished at {time.strftime('%X')}") # time0
await asyncio.sleep(2) # not await task1
print(f"finished at {time.strftime('%X')}") # time0+2
asyncio.run(main())
它会做 task1 STILL
time0
print hello
time0+2