1、通过greenlet模块实现
pip3 install greenlet
from greenlet import greenlet
def func1():
print(1) # 第2步:输出 1
gr2.switch() # 第3步:切换到 func2 函数
print(2) # 第6步:输出 2
gr2.switch() # 第7步: 切换到 func2 函数,从上一次执行的位置继续向后执行
def func2() :
print(3) # 第4步:输出 3
grl.switch() # 第5步:切换到 func1 函数,从上一次执行的位置继续向后执行
print(4) # 第8步:输出4
gr1 = greenlet(func1)
gr2 = greenlet(func2)
gr1.switch() # 第1步:去执行 func1 函数
#输出:1324
2、通过yeild关键字实现
def func1():
yield 1
yield from func2()
yield 2
def func2() :
yield 3
yield 4
fl = func1()
for item in fl:
print(item)
3、通过asyncio模块实现:在python3.4及以后的版本中提供
import asyncio
@asyncio.coroutine # 通过这个装饰器使得func1()变为一个协程函数
def func1():
print(1)
yield from asyncio.sleep(2) # 遇到IO耗时操作,自动化切换到tasks中的其他任务
print(2)
@asyncio.coroutine
def func2():
print(3)
yield from asyncio.sleep(2) # 遇到IO耗时操作,自动化切换到tasks中的其他任务
print(4)
tasks =[
asyncio.ensure_future( func1()),
asyncio.ensure_future( func2())
]
loop=asyncio.get_event_oop()
loop.run_urtil_complete(asyncio.wait(tasks))
输出:1324
解析:首先执行协程函数func1()(也可以说是任务1),输出1,这时人为进行阻塞2秒
asyncio便会自动的执行其他任务,输出3;接着func2()阻塞2秒,func1()阻塞结束,打印2,
func2()阻塞结束,打印4。
也就是说asyncio能够在IO阻塞时自动的切换其他协程任务
4、【主流用法】通过async、await关键字实现:在python3.5及以后的版本中提供
async def func1(): # 不再通过装饰器实现
print(1)
await asyncio.sleep(2) # 不再通过yield from实现
print(2)
async def func2():
print(3)
awit asyncio.sleep(2)
print(4)
tasks =[
asyncio.ensure_future( func1()),
asyncio.ensure_future( func2())
]
loop=asyncio.get_event_oop()
loop.run_urtil_complete(asyncio.wait(tasks))