协程的概念
- 协程: 又称为微线程、纤程,英文名: Coroutine
- 通过 async/await 语法进行声明,是编写异步应用的推荐方式
import asyncio
async def main():
print('hello')
await asyncio.sleep(1)
print('world')
# python
# asyncio.run(main())
# jupyter
await main()
hello
world
协程中有哪两个运行任务的函数,如何使用
import asyncio
import time
async def say_after(delay, what):
await asyncio.sleep(delay)
print(what)
async def myfun():
print(f'开始时间: {time.strftime("%X")}')
await say_after(1, 'hello')
await say_after(2, 'world')
print(f'执行完成: {time.strftime("%X")}')
# python
# asyncio.run(main())
# jupyter
await myfun()
开始时间: 21:32:12
hello
world
执行完成: 21:32:15
'''
create_task
'''
async def myfun1():
task1 = asyncio.create_task(
say_after(1, 'hello')
)
task2 = asyncio.create_task(
say_after(2, 'world')
)
print(f'开始时间: {time.strftime("%X")}')
await task1
await task2
print(f'结束时间: {time.strftime("%X")}')
await myfun1()
开始时间: 21:36:08
hello
world
结束时间: 21:36:10
正文完