协程
协程,又称微线程,纤程。英文名Coroutine。一句话说明什么是线程:协程是一种用户态的轻量级线程。
协程拥有自己的寄存器上下文和栈。协程调度切换时,将寄存器上下文和栈保存到其他地方,在切回来的时候,恢复先前保存的寄存器上下文和栈。因此:
协程能保留上一次调用时的状态(即所有局部状态的一个特定组合),每次过程重入时,就相当于进入上一次调用的状态,换种说法:进入上一次离开时所处逻辑流的位置。
协程的好处:
- 无需线程上下文切换的开销
- 无需原子操作锁定及同步的开销
- "原子操作(atomic operation)是不需要synchronized",所谓原子操作是指不会被线程调度机制打断的操作;这种操作一旦开始,就一直运行到结束,中间不会有任何 context switch (切换到另一个线程)。原子操作可以是一个步骤,也可以是多个操作步骤,但是其顺序是不可以被打乱,或者切割掉只执行部分。视作整体是原子性的核心。
- 方便切换控制流,简化编程模型
- 高并发+高扩展性+低成本:一个CPU支持上万的协程都不是问题。所以很适合用于高并发处理。
缺点:
- 无法利用多核资源:协程的本质是个单线程,它不能同时将 单个CPU 的多个核用上,协程需要和进程配合才能运行在多CPU上.当然我们日常所编写的绝大部分应用都没有这个必要,除非是cpu密集型应用。
- 进行阻塞(Blocking)操作(如IO时)会阻塞掉整个程序
简单说就是协程一遇到io操作就切换到下一个协程,依次轮寻,所有协程都在等待io时,就按顺序不断查那个完成了,或者完成io的协程来叫我
简单实例
#!_*_coding:utf-8_*_ #__author__:"Alex huang" # 手动切换 # from greenlet import greenlet # def test1(): # print(12) # gr2.switch() # print(34) # gr2.switch() # # def test2(): # print(56) # gr1.switch() # print(78) # # if __name__ == '__main__': # gr1 = greenlet(test1) # gr2 = greenlet(test2) # gr1.switch()
输出:
12
56
34
78 # 自动切换 import gevent def func1(): print("in the fun1..1") gevent.sleep(2) print("in the fun1..2") def func2(): print("in the fun2...1") gevent.sleep(1) print("in the fun2...2") def func3(): print("in the fun3...1") gevent.sleep(0) print("in the fun3...2") gevent.joinall([ gevent.spawn(func1), gevent.spawn(func2), gevent.spawn(func3) ])
输出:
in the fun1..1
in the fun2...1
in the fun3...1
in the fun3...2
in the fun2...2
in the fun1..2
...