首页 > 代码库 > 协程的作用 Python

协程的作用 Python

1.协程的含义和实现

协程是单进程单线程的超越函数的调度机制,它通过一定的调度手段进行调度。

(Python使用generator机制,greenlet使用汇编控制对程序指向来实现)。

2.协程有什么作用

计算机分为IO bound 和CPU bound两种类型的task。在这两种情况中,协程都没有什么作用。

为什么?

在CPU bound task中,cpu被用来执行任务去了。这类task,即使一个一个方法的执行,跟协程的效率还要高出一点点,使用协程没有意义。IO bound task中,CPU已经陷入系统调用之中,用户空间的调度无论如何也是没有CPU的,这样情况下,协程只能死死的。在这样情况下,祈求高效率,怎么可能。

协程只有在非常有限制的情况下,才有一些用处,在单进程单线程任务中的交互青霞,才有它的用武之地。

 

3.协程不是未来(反驳赖勇浩)。协程是很早之前就有的。很早之前,windows就有纤程的概念,Linux不太确定。但是它一直作为小众的API而存在。   

 

4.协程的两个评测:

import geventimport randomimport timedef task(pid):    """    Some non-deterministic task    """    for i in range(1000):        random.randint(0,20)def synchronous():    for i in range(1,10000):        task(i)def asynchronous():    threads = [gevent.spawn(task, i) for i in xrange(10000)]    gevent.joinall(threads)print(Synchronous:)t = time.time()synchronous()diff = time.time() -tprint "diff is %f" %diffprint(Asynchronous:)t = time.time()asynchronous()diff = time.time() -tprint "diff is %f" %diff

结果:

Synchronous:diff is 22.333482Asynchronous:diff is 22.422071

2.IO bound

import gevent.monkeygevent.monkey.patch_socket()import geventimport urllib2import timedef fetch(pid):    response = urllib2.urlopen(http://127.0.0.1:8080/)    result = response.read()    return resultdef synchronous():    for i in range(1,100):        fetch(i)def asynchronous():    threads = []    for i in range(1,100):        threads.append(gevent.spawn(fetch, i))    gevent.joinall(threads)print(Synchronous:)t = time.time()synchronous()diff = time.time() - tprint "diff is %f" %diffprint(Asynchronous:)t = time.time()asynchronous()diff = time.time() - tprint "diff is %f" %diff

结果为:

Synchronous:diff is 0.791572Asynchronous:diff is 0.997519


上述例子结果只是单次运行结果,跟使用机器相关性很大。

 

5.gevnet+flask是一个很流行的用法,但是gevent真正有用的是libev,它是使用epoll(linux), kqueue(bsd),IOCP(windows)实现network IO,并在轮询处理signal,signal,callback的lib。

end。。。。。。一家之言,欢迎拍砖。。

协程的作用 Python