博客
关于我
强烈建议你试试无所不能的chatGPT,快点击我
Python学习之路16——线程、进程和协程
阅读量:6911 次
发布时间:2019-06-27

本文共 22350 字,大约阅读时间需要 74 分钟。

一、线程

线程是操作系统能够进行运算调度的最小单位,是一串指令的集合。

它被包含在进程之中,是进程中的实际运作单位。

一条线程指的是进程中一个单一顺序的控制流,一个进程中可以并发多个线程,每条线程并行执行不同的任务。

所有在同一进程里的线程是共享同一块内存空间的。

运行多线程需要频繁的cpu上下文切换。

注:cpu内一个核数只能同时运行一个线程,所以多核cpu同时可以运行多个线程。

  在Python中,即使是多核cpu,同时运行的线程也只有一个,Python语言设计之初就不支持多核

  所以在Python程序中,启用越多的线程,程序不一定运行的就很快,因为cpu要进行大量的上下文切换,反而消耗时间;

  GIL全局解释锁保障线程的上下文关系,保障当前只有一个线程在运行,与lock数据加锁无关。 

1、建立线程(threading模块)

线程创建有2种方式:

直接调用

1 #!/user/bin/env ptyhon 2 # -*- coding:utf-8 -*- 3 # Author: VisonWong 4  5 import threading, time 6  7 def run(n): 8     print('Task',n) 9     time.sleep(2)10 11 12 if __name__ == "__main__":13 14     t1= threading.Thread(target=run,args=('t1',))15     t2= threading.Thread(target=run,args=('t2',))16 17     #两个同时执行,然后等待两秒程序结束18     t1.start()19     t2.start()20 21 22 #程序输出23 # Task t124 # Task t2

继承式调用

1 #!/user/bin/env ptyhon 2 # -*- coding:utf-8 -*- 3 # Author: VisonWong 4  5 import threading,time 6  7 class MyThread(threading.Thread): 8      9     def __init__(self,num):10         # threading.Thread.__init__(self)11         super(MyThread, self).__init__()12         self.num = num13 14     def run(self): #定义每个线程要运行的函数15         print('running task',self.num)16         time.sleep(2)17 18 if __name__ == '__main__':19     #两个同时执行,然后等待两秒程序结束20     t1 = MyThread('t1')21     t2 = MyThread('t2')22 23     t1.start()24     t2.start()25 26 27 # 程序输出28 # running task t129 # running task t2

2、多线程的默认情况

当一个进程启动之后,会默认产生一个主线程,因为线程是程序执行流的最小单元,当设置多线程时,主线程会创建多个子线程。

在python中,默认情况下(其实就是setDaemon(False)),主线程执行完自己的任务以后,就退出了,此时子线程会继续执行自己的任务,直到自己的任务结束。

1 #!/user/bin/env ptyhon 2 # -*- coding:utf-8 -*- 3 # Author: VisonWong 4  5  6 import threading 7 import time 8  9 def run():10     time.sleep(2)11     print('当前线程的名字是: ', threading.current_thread())12     # time.sleep(2)13 14 15 if __name__ == '__main__':16 17     start_time = time.time()18 19     print('这是主线程:', threading.current_thread())20     thread_list = []21     for i in range(5):22         t = threading.Thread(target=run)23         thread_list.append(t)24 25     for t in thread_list:26         t.start()27 28 29     print('主线程结束!' , threading.current_thread().name,'done')30     print('一共用时:', time.time()-start_time)31 32 33 # 这是主线程: <_MainThread(MainThread, started 7124)>34 # 主线程结束! MainThread done35 # 一共用时: 0.00200009346008300836 # 当前线程的名字是:  
37 # 当前线程的名字是:
38 # 当前线程的名字是:
39 # 当前线程的名字是:
40 # 当前线程的名字是:

1、我们的计时是对主线程计时,主线程结束,计时随之结束,打印出主线程的用时。

2、主线程的任务完成之后,主线程随之结束,子线程继续执行自己的任务,直到全部的子线程的任务全部结束,程序结束。

3、started 后跟的是当前线程的识别号,可通过 threading.get_ident() 获得。

 

3、守护线程Daemon

当我们使用setDaemon(True)方法,设置子线程为守护线程时,主线程一旦执行结束,则全部线程全部被终止执行。

可能出现的情况就是,子线程的任务还没有完全执行结束,就被迫停止。

1 #!/user/bin/env ptyhon 2 # -*- coding:utf-8 -*- 3 # Author: VisonWong 4  5  6 import threading 7 import time 8  9 def run():10 11     time.sleep(2)12     print('当前线程的名字是: ', threading.current_thread().name)13     time.sleep(2)14 15 16 if __name__ == '__main__':17 18     start_time = time.time()19 20     print('这是主线程:', threading.current_thread().name)21 22     thread_list = []23     for i in range(5):24         t = threading.Thread(target=run)25         thread_list.append(t)26 27     for t in thread_list:28         t.setDaemon(True)29         t.start()30 31     print('主线程结束了!' , threading.current_thread().name)32     print('一共用时:', time.time()-start_time)33     34 35 # 这是主线程: MainThread36 # 主线程结束了! MainThread37 # 一共用时: 0.002000093460083008

非常明显的看到,主线程结束以后,子线程还没有来得及执行,整个程序就退出了。

4、join方法

join所完成的工作就是线程同步, 等待被join的线程执行完后,其他线程再继续执行。

1 #!/user/bin/env ptyhon 2 # -*- coding:utf-8 -*- 3 # Author: VisonWong 4  5 import threading 6 import time 7  8 def run(): 9 10     time.sleep(2)11     print('当前线程的名字是: ', threading.current_thread().name)12     time.sleep(2)13 14 15 if __name__ == '__main__':16 17     start_time = time.time()18 19     print('这是主线程:', threading.current_thread().name)20     thread_list = []21     for i in range(5):22         t = threading.Thread(target=run)23         thread_list.append(t)24 25     for t in thread_list:26         t.setDaemon(True)27         t.start()28 29     for t in thread_list:30         t.join()31 32     print('主线程结束了!' , threading.current_thread().name)33     print('一共用时:', time.time()-start_time)34 35 36 # 这是主线程: MainThread37 # 当前线程的名字是:  Thread-238 # 当前线程的名字是:  Thread-139 # 当前线程的名字是:  Thread-440 # 当前线程的名字是:  Thread-341 # 当前线程的名字是:  Thread-542 # 主线程结束了! MainThread43 # 一共用时: 4.0142295360565186

 

注:计算所有线程运行的时间,待所有线程运行完后,运行主程序,计算运行时间。

join有一个timeout参数:

1、当设置守护线程时,含义是主线程对于子线程等待timeout的时间将会杀死该子线程,最后退出程序。

   简单的来说,就是给每个子线程一个timeout的时间,让他去执行,时间一到,不管任务有没有完成,直接杀死。

2、没有设置守护线程时,主线程将会等待timeout这样的一段时间,时间一到,主线程结束,但是并没有杀死子线程,子线程依然可以继续执行,直到子线程全部结束,程序退出。

 

5、Mutex 线程锁

一个进程下可以启动多个线程,多个线程共享父进程的内存空间,也就意味着每个线程可以访问同一份数据,此时,如果2个线程同时要修改同一份数据,会出现什么状况?

1 #!/user/bin/env ptyhon 2 # -*- coding:utf-8 -*- 3 # Author: VisonWong 4  5 import time 6 import threading 7  8  9 def addNum():10     global num  # 在每个线程中都获取这个全局变量11     print('--get num:', num)12     time.sleep(1)13     num -= 1  # 对此公共变量进行-1操作14     print('--after num:',num)15 16 17 num = 10  # 设定一个共享变量18 thread_list = []19 for i in range(10):20     t = threading.Thread(target=addNum)21     t.start()22     thread_list.append(t)23 24 for t in thread_list:  # 等待所有线程执行完毕25     t.join()26 27 print('final num:', num)28 29 30 # --get num: 1031 # --get num: 1032 # --get num: 1033 # --get num: 1034 # --get num: 1035 # --get num: 1036 # --get num: 1037 # --get num: 1038 # --get num: 1039 # --get num: 1040 # --after num: 941 # --after num: 842 # --after num: 743 # --after num: 644 # --after num: 545 # --after num: 446 # --after num: 347 # --after num: 248 # --after num: 149 # --after num: 050 # final num: 0

正常来讲,这个num结果应该是0, 但在python 2.7上多运行几次,会发现,最后打印出来的num结果不总是0,为什么每次运行的结果不一样呢?

假设你有A,B两个线程,此时都 要对num 进行减1操作, 由于2个线程是并发同时运行的,所以2个线程很有可能同时拿走了num=100这个初始变量交给cpu去运算。

当A线程去处完的结果是99,但此时B线程运算完的结果也是99,两个线程同时CPU运算的结果再赋值给num变量后,结果就都是99。

因此每个线程在要修改公共数据时,为了避免自己在还没改完的时候别人也来修改此数据,可以给这个数据加一把锁, 这样其它线程想修改此数据时就必须等待你修改完毕并把锁释放掉后才能再访问此数据。

 对程序加锁:

1 #!/user/bin/env ptyhon 2 # -*- coding:utf-8 -*- 3 # Author: VisonWong 4  5 import time 6 import threading 7  8  9 def addNum():10     global num  # 在每个线程中都获取这个全局变量11     print('--get num:', num)12     time.sleep(1)13     lock.acquire()  # 修改数据前加锁14     num -= 1  # 对此公共变量进行-1操作15     lock.release()  # 修改后释放16     print('--after num:',num)17 18 19 num = 10  # 设定一个共享变量20 thread_list = []21 lock = threading.Lock()  # 生成全局锁22 for i in range(10):23     t = threading.Thread(target=addNum)24     t.start()25     thread_list.append(t)26 27 for t in thread_list:  # 等待所有线程执行完毕28     t.join()29 30 print('final num:', num)31 32 33 # --get num: 1034 # --get num: 1035 # --get num: 1036 # --get num: 1037 # --get num: 1038 # --get num: 1039 # --get num: 1040 # --get num: 1041 # --get num: 1042 # --get num: 1043 # --after num: 944 # --after num: 845 # --after num: 746 # --after num: 647 # --after num: 548 # --after num: 449 # --after num: 350 # --after num: 251 # --after num: 152 # --after num: 053 # final num: 0

 Python已经有一个GIL来保证同一时间只能有一个线程来执行了,为什么这里还需要lock?

注意啦,这里的lock是用户级的lock,跟那个GIL没关系 ,具体我们通过下图来看一下。

 

  虽然python有全局锁保证通过一时间只有一个线程进行,但有可能当前线程修改全局变量未完成而被挂起,换作另一个线程同时修改同一全局变量,就有可能出现修改不准确的现象。

  6、递归锁Rlock

  当一个大锁中还要再包含子锁的时候,如果再用threading.Lock的话,程序锁和钥匙会出现对不上的情况,这时候就需要用到递归锁。

1 #!/user/bin/env ptyhon 2 # -*- coding:utf-8 -*- 3 # Author: VisonWong 4  5  6 import threading 7  8  9 def run1():10     print("grab the first part data")11     lock.acquire()12     global num13     num += 114     lock.release()15     return num16 17 18 def run2():19     print("grab the second part data")20     lock.acquire()21     global num222     num2 += 123     lock.release()24     return num225 26 27 def run3():28     lock.acquire()29     res = run1()30     print('--------between run1 and run2-----')31     res2 = run2()32     lock.release()33     print(res, res2)34 35 36 if __name__ == '__main__':37 38     num, num2 = 0, 039     thread_list = []40     lock = threading.RLock()41     for i in range(10):42         t = threading.Thread(target=run3)43         t.start()44         thread_list.append(t)45 46     for t in thread_list:47         t.join()48 49 50     print('----all threads done---')51     print(num, num2)52     53 54 # grab the first part data55 # --------between run1 and run2-----56 # grab the second part data57 # 1 158 # grab the first part data59 # --------between run1 and run2-----60 # grab the second part data61 # 2 262 # grab the first part data63 # --------between run1 and run2-----64 # grab the second part data65 # 3 366 # grab the first part data67 # --------between run1 and run2-----68 # grab the second part data69 # 4 470 # grab the first part data71 # --------between run1 and run2-----72 # grab the second part data73 # 5 574 # grab the first part data75 # --------between run1 and run2-----76 # grab the second part data77 # 6 678 # grab the first part data79 # --------between run1 and run2-----80 # grab the second part data81 # 7 782 # grab the first part data83 # --------between run1 and run2-----84 # grab the second part data85 # 8 886 # grab the first part data87 # --------between run1 and run2-----88 # grab the second part data89 # 9 990 # grab the first part data91 # --------between run1 and run2-----92 # grab the second part data93 # 10 1094 # ----all threads done---95 # 10 10

 7、Semaphore信号量

Mutex 同时只允许一个线程更改数据。

而Semaphore是同时允许一定数量的线程更改数据 ,比如饭店有3个位置,那最多只允许3个人吃饭,后面的人只能等里面有人出来了才能再进去。

1 #!/user/bin/env ptyhon 2 # -*- coding:utf-8 -*- 3 # Author: VisonWong 4  5 import threading, time 6  7  8 def run(n): 9     semaphore.acquire()10     time.sleep(1)11     print("run the thread: %s\n" % n)12     semaphore.release()13 14 15 16 if __name__ == '__main__':17 18     thread_list=[]19     semaphore = threading.BoundedSemaphore(5)  # 最多允许5个线程同时运行20     for i in range(10):21         t = threading.Thread(target=run, args=(i,))22         t.start()23         thread_list.append(t)24     for t in thread_list:25         t.join()26 27     print('----all threads done---')28 29 30 # run the thread: 331 # run the thread: 232 # run the thread: 433 # run the thread: 134 # run the thread: 035 # run the thread: 536 # run the thread: 937 # run the thread: 638 # run the thread: 839 # run the thread: 740 # ----all threads done---

 8、Event

 通过Event来实现两个或多个线程间的交互,下面是一个红绿灯的例子,即起动一个线程做交通指挥灯,生成几个线程做车辆,车辆行驶按红灯停,绿灯行的规则。

1 #!/user/bin/env ptyhon 2 # -*- coding:utf-8 -*- 3 # Author: VisonWong 4  5 import threading, time 6  7 def light(): 8     count = 0 9     while True:10         if count < 10:  # 红灯11             print("\033[41;1m红灯\033[0m", 10 - count)12         elif count >= 10 and count < 30:  # 绿灯13             event.set()  # 设置标志位14             print("\033[42;1m绿灯\033[0m", 30 - count)15         else:16             event.clear()  # 把标志位清空17             count = 018         time.sleep(1)19         count += 120 21 22 def car(n):23     while True:24         if event.is_set():25             print("\033[32;0m[%s]在路上飞奔.....\033[0m" % n)26         else:27             print("\033[31;0m[%s]等红灯等的花都谢了.....\033[0m" % n)28         time.sleep(1)29 30 31 if __name__ == "__main__":32     event = threading.Event()33     light = threading.Thread(target=light)34     light.start()35     car = threading.Thread(target=car, args=("tesla",))36     car.start()37     38     39 40 # 红灯 1041 # [tesla]等红灯等的花都谢了.....42 # 红灯 943 # [tesla]等红灯等的花都谢了.....44 # 红灯 845 # [tesla]等红灯等的花都谢了.....46 # 红灯 747 # [tesla]等红灯等的花都谢了.....48 # 红灯 649 # [tesla]等红灯等的花都谢了.....50 # 红灯 551 # [tesla]等红灯等的花都谢了.....52 # 红灯 453 # [tesla]等红灯等的花都谢了.....54 # 红灯 355 # [tesla]等红灯等的花都谢了.....56 # 红灯 257 # [tesla]等红灯等的花都谢了.....58 # 红灯 159 # [tesla]等红灯等的花都谢了.....60 # 绿灯 2061 # [tesla]在路上飞奔.....62 # 绿灯 1963 # [tesla]在路上飞奔.....64 # 绿灯 1865 # [tesla]在路上飞奔.....66 # 绿灯 1767 # [tesla]在路上飞奔.....68 # 绿灯 1669 # [tesla]在路上飞奔.....70 # 绿灯 1571 # [tesla]在路上飞奔.....

  9、queue 

1 #!/user/bin/env ptyhon 2 # -*- coding:utf-8 -*- 3 # Author: VisonWong 4  5  6 import queue 7  8 q = queue.Queue() 9 10 for i in range(10):11     q.put(i)12 13 for t in range(10):14     print(q.get())15 16 # 017 # 118 # 219 # 320 # 421 # 522 # 623 # 724 # 825 # 9
class queue.Queue(maxsize=0) #先入先出class queue.LifoQueue(maxsize=0) #last in fisrt out class queue.PriorityQueue(maxsize=0) #存储数据时可设置优先级的队列
更多

 

python多线程,不适合cpu密集操作型的任务,适合io操作密集型的任务。

二、进程

  要以一个整体的形式暴露给操作系统管理,里面包含了对各种资源的调用,内存的管理,网络接口的调用等;对各种资源的管理集合,就可以称为进程

 

1、multiprocessing模块(多进程 

1 #!/user/bin/env ptyhon 2 # -*- coding:utf-8 -*- 3 # Author: VisonWong 4  5 # 多进程 6  7 import multiprocessing, time 8 import threading,os 9 10 11 def thread_run():12     print("thread id ", threading.get_ident())13 14 15 def run(name):16     time.sleep(1)17     print("process----", name)18     print('parent process id:', os.getppid())19     t = threading.Thread(target=thread_run )20     t.start()21 22 23 if __name__ == "__main__":24 25     print('process id:', os.getpid())26     for i in range(3):27         p = multiprocessing.Process(target=run, args=(i,))28         p.start()29         30 31 # process id: 373232 # process---- 133 # parent process id: 373234 # thread id  116835 # process---- 036 # parent process id: 373237 # thread id  492838 # process---- 239 # parent process id: 373240 # thread id  3524

  对比下主进程和子进程的id号以及关系:

1 #!/user/bin/env ptyhon 2 # -*- coding:utf-8 -*- 3 # Author: VisonWong 4  5 # 多进程id 6  7 import multiprocessing 8 import os 9 10 11 def info(title):12     print(title)13     print('module name:', __name__)14     print('parent process:', os.getppid())  # 父进程id15     print('process id:', os.getpid())  # 子进程id16 17 18 def run(name):19     info('\033[31;1mfunction f\033[0m')20     print("process----", name)21 22 23 if __name__ == '__main__':24     info('\033[32;1mmain process line\033[0m')25     p = multiprocessing.Process(target=run, args=("暴风雨",))26     p.start()27     p.join()28     29 30 # main process line31 # module name: __main__32 # parent process: 583233 # process id: 525634 # function f35 # module name: __mp_main__36 # parent process: 525637 # process id: 299638 # process---- 暴风雨

 

2、进程间通信 

 不同进程间内存是不共享的,要想实现两个进程间的数据交换,可以用以下方法:

(1)queue

1 #!/user/bin/env ptyhon 2 # -*- coding:utf-8 -*- 3 # Author: VisonWong 4  5 from multiprocessing import Process, Queue 6 import os, time, random 7  8  9 # 写数据进程执行的代码:10 def write(q):11     print('Process to write: %s' % os.getpid())12     for value in ['A', 'B', 'C']:13         print('Put %s to queue...' % value)14         q.put(value)15         time.sleep(random.random())16 17 18 # 读数据进程执行的代码:19 def read(q):20     print('Process to read: %s' % os.getpid())21     while True:22         value = q.get(True)23         print('Get %s from queue.' % value)24 25 26 if __name__ == '__main__':27     # 父进程创建Queue,并传给各个子进程:28     q = Queue()29     pw = Process(target=write, args=(q,))30     pr = Process(target=read, args=(q,))31     # 启动子进程pw,写入:32     pw.start()33     # 启动子进程pr,读取:34     pr.start()35     # 等待pw结束:36     pw.join()37     # pr进程里是死循环,无法等待其结束,只能强行终止:38     pr.terminate()  # 强制关闭子进程39     40     41 # Process to read: 215242 # Process to write: 337243 # Put A to queue...44 # Get A from queue.45 # Put B to queue...46 # Get B from queue.47 # Put C to queue...48 # Get C from queue.

 

(2)Pipe

1 #!/user/bin/env ptyhon 2 # -*- coding:utf-8 -*- 3 # Author: VisonWong 4  5  6 # Pipe 进程间通信 7  8 import multiprocessing 9 10 11 def f(conn):12     conn.send("hello from child")13     conn.close()14 15 16 if __name__ == "__main__":17     parent_conn, child_conn = multiprocessing.Pipe()18     p = multiprocessing.Process(target=f, args=(child_conn,))19     p.start()20     print(parent_conn.recv())21     p.join()22     23     24 # hello from child

 

(3)Manager

1 #!/user/bin/env ptyhon 2 # -*- coding:utf-8 -*- 3 # Author: VisonWong 4  5 # Manager 进程间共享数据 6  7 import multiprocessing 8 import os 9 10 11 def f(d, l, i):12     d[i] = os.getpid()13     l.append(os.getpid())14 15 16 if __name__ == "__main__":17     manager = multiprocessing.Manager()18     d = manager.dict()  # 创建一个字典,进程间可以共享数据19     l = manager.list()20     p_list = []21     for i in range(5):22         p = multiprocessing.Process(target=f, args=(d,l,i))23         p.start()24         p_list.append(p)25     for t in p_list:26         t.join()27 28     print(d)29     print(l)30     31 32 # {1: 4064, 3: 3048, 2: 3660, 0: 5876, 4: 5892}33 # [4064, 3048, 3660, 5876, 5892]

 

(4)进程锁

1 #!/user/bin/env ptyhon 2 # -*- coding:utf-8 -*- 3 # Author: VisonWong 4  5 from multiprocessing import Process, Lock 6  7  8 def f(l, i): 9     l.acquire()10     print('process__', i)11     l.release()12 13 14 if __name__ == '__main__':15     lock = Lock()               #生成锁的实例16     for num in range(5):17         Process(target=f, args=(lock, num)).start()18 19 20 # process__ 121 # process__ 322 # process__ 223 # process__ 024 # process__ 4

 

虽然进程及进程所含的数据都是相互独立的,但是多进程运行期间会共享同一块屏幕,使用进程锁是为了防止出现打印异常的情况。

3、进程池

进程创建子进程的过程,子进程克隆了一遍父进程里的数据,如果父进程占用空间特别大,子进程启动过多就会导致系统空间不够用,所以引出了进程池的概念;

进程池内部维护一个进程序列,当使用时,则去进程池中获取一个进程,如果进程池序列中没有可供使用的进进程,那么程序就会等待,直到进程池中有可用进程为止。

进程池中有两个方法:

    • apply  同步执行(串行)
    • apply_async  异步执行(并行)
1 #!/user/bin/env ptyhon 2 # -*- coding:utf-8 -*- 3 # Author: VisonWong 4  5  6 # 进程池 7  8 from multiprocessing import Process, Pool 9 import time, os10 11 12 def Foo(i):13     time.sleep(1)14     print("in process", os.getpid())15 16 17 18 def Bar(arg):19     print('-->exec done:', arg, os.getpid())20 21 22 if __name__ == "__main__":23     pool = Pool(2)  # 允许进程池同时放入5个进程24     print("主进程:", os.getpid())25     for i in range(5):26         pool.apply_async(func=Foo, args=(i,), callback=Bar) #callback回调 执行完func后再执行callback 用主程序执行27         #pool.apply(func=Foo, args=(i,))  #串行28 29     pool.close()30     pool.join()  # 进程池中进程执行完毕后再关闭,如果注释,那么程序直接关闭。31   32     33 # 主进程: 561234 # in process 422035 # -->exec done: None 561236 # in process 424837 # -->exec done: None 561238 # in process 422039 # -->exec done: None 561240 # in process 424841 # -->exec done: None 561242 # in process 422043 # -->exec done: None 5612

三、协程 

协程,又称微线程,纤程。英文名Coroutine。一句话说明什么是线程:协程是一种用户态的轻量级线程

协程拥有自己的寄存器上下文和栈。协程调度切换时,将寄存器上下文和栈保存到其他地方,在切回来的时候,恢复先前保存的寄存器上下文和栈。因此:协程能保留上一次调用时的状态(即所有局部状态的一个特定组合),每次过程重入时,就相当于进入上一次调用的状态,换种说法:进入上一次离开时所处逻辑流的位置。

好处:

    • 无需线程上下文切换的开销
    • 无需原子操作锁定及同步的开销
    • 方便切换控制流,简化编程模型
    • 高并发+高扩展性+低成本:一个CPU支持上万的协程都不是问题。所以很适合用于高并发处理。

缺点:

    • 无法利用多核资源:协程的本质是个单线程,它不能同时将 单个CPU 的多个核用上,协程需要和进程配合才能运行在多CPU上.当然我们日常所编写的绝大部分应用都没有这个必要,除非是cpu密集型应用。
    • 进行阻塞(Blocking)操作(如IO时)会阻塞掉整个程序。

  1、yeild实现协程

1 # yield实现协程 2   3 def consumer(name): 4     print("------>starting eating baozi..") 5     while True: 6         new_baozi = yield 7         print("[%s] is eating baozi %s"%(name,new_baozi)) 8   9 def producer():10     n = 011     while n < 5 :12         n +=113         con.send(n)         #唤醒yield并且传值14         con2.send(n)15         print("\033[32;1m[producer]\033[0m is making baozi %s" % n)16  17 if __name__ == "__main__":18     con = consumer("c1")        #生成生成器19     con2 = consumer("c2")20     con.__next__()         #唤醒yield21     con2.__next__()22     producer()23  24 # 输出25 # ------>starting eating baozi..26 # ------>starting eating baozi..27 # [c1] is eating baozi 128 # [c2] is eating baozi 129 # [producer] is making baozi 130 # [c1] is eating baozi 231 # [c2] is eating baozi 232 # [producer] is making baozi 233 # [c1] is eating baozi 334 # [c2] is eating baozi 335 # [producer] is making baozi 336 # [c1] is eating baozi 437 # [c2] is eating baozi 438 # [producer] is making baozi 439 # [c1] is eating baozi 540 # [c2] is eating baozi 541 # [producer] is making baozi 5

 

2、greenlet   

greenlet封装好的协程,利用.swith对协程操作进行手动切换。 

1 #!/user/bin/env ptyhon 2 # -*- coding:utf-8 -*- 3 # Author: VisonWong 4  5  6 from greenlet import greenlet 7  8  9 def test1():10     print("in test1 12")11     gr2.switch()12     print("in test1 34")13     gr2.switch()14 15 16 def test2():17     print("in test2 56")18     gr1.switch()19     print("in test2 78")20 21 22 gr1 = greenlet(test1)  # 启动一个协程23 gr2 = greenlet(test2)24 gr1.switch()  # 切换操作 类似于yeild里的next()25               # 手动切换 相当于启动gr126               27 28 # in test1 1229 # in test2 5630 # in test1 3431 # in test2 78

 

 3、gevent

Gevent 是一个第三方库,可以轻松通过gevent实现并发同步或异步编程,在gevent中用到的主要模式是Greenlet, 它是以C扩展模块形式接入Python的轻量级协程。

Greenlet全部运行在主程序操作系统进程的内部,但它们被协作式地调度。

1 #!/user/bin/env ptyhon 2 # -*- coding:utf-8 -*- 3 # Author: VisonWong 4  5 import gevent 6  7 def foo(): 8     print("runing in foo") 9     gevent.sleep(2)10     print("context switch to foo again")11 12 13 def bar():14     print("context to bar")15     gevent.sleep(1)16     print("context to switch bar to bar")17 18 19 gevent.joinall([  # 启动协程20     gevent.spawn(foo),          #自动切换21     gevent.spawn(bar),22 ])23 24 25 # runing in foo26 # context to bar27 # context to swith bar to bar28 # context swith to foo again

 

 还原生成环境下,利用gevent做同步与异步的性能对比

1 # 同步异步性能对比 2   3 import urllib.request 4 import gevent,time 5 from gevent import monkey 6 monkey.patch_all()  #monkey.patch_all()执行后可以识别urllib里面的I/0操作 7   8 def f(url): 9     print("GET: %s"%url)10     resp = urllib.request.urlopen(url)11     data = resp.read()12     print("%d bytes received from %s"%(len(data),url))13  14 # 同步开销15 urls = [16      'https://www.python.org/',17     'https://www.yahoo.com/',18     'https://github.com/',19 ]20 time_start = time.time()21 for url in urls:22     f(url)23 print("同步cost time",time.time()-time_start)24  25 # 异步开销26 async_time_start = time.time()27 gevent.joinall([28     gevent.spawn(f,'https://www.python.org/'),29     gevent.spawn(f,'https://www.yahoo.com/'),30     gevent.spawn(f,'https://github.com/')31 ])32 print("异步cost time",time.time()-async_time_start)33  34 # 输出35 # GET: https://www.python.org/36 # 47446 bytes received from https://www.python.org/37 # GET: https://www.yahoo.com/38 # 431619 bytes received from https://www.yahoo.com/39 # GET: https://github.com/40 # 25478 bytes received from https://github.com/41 # 同步cost time 4.22524166107177742 # GET: https://www.python.org/43 # GET: https://www.yahoo.com/44 # GET: https://github.com/45 # 25478 bytes received from https://github.com/46 # 461925 bytes received from https://www.yahoo.com/47 # 47446 bytes received from https://www.python.org/48 # 异步cost time 2.5521459579467773

 

 由上面程序可知,同步开销时间为4秒,异步开销为2.5秒,大大节省了开销,这就是协程的魅力;monkey.patch_all()使gevent能识别到urllib中的I/O操作。

 

 

 

 

 

 

 

 

 

 

 

 

 

 

 

转载于:https://www.cnblogs.com/visonwong/p/9173561.html

你可能感兴趣的文章
028 Partitioner:数据分区器
查看>>
移位实现正负数原码输出
查看>>
阿里云端口失效导致tomcat无法对外提供服务
查看>>
如何在Android Studio中指定NDK位置?
查看>>
更改Android应用程序的图标
查看>>
连载:面向对象葵花宝典:思想、技巧与实践(35) - NOP原则
查看>>
Redis(五)-- Java API
查看>>
Android中使用OnClickListener接口实现button点击的低级失误
查看>>
python核心编程——python对象
查看>>
我第一家互联网公司产品开发周期
查看>>
指数函数及其性质教学设计
查看>>
关于内存中栈和堆的区别(非数据结构中的堆和栈,区别)【转】
查看>>
嵌套查询
查看>>
HTML5即将迎来黄金时代 轻应用再成行业焦点
查看>>
python-Levenshtein几个计算字串相似度的函数解析
查看>>
shipyard, swarm看到你,我才睡觉:)
查看>>
hdu 4409 Family Name List(LCA&amp;有坑点)
查看>>
Linux内核之于红黑树and AVL树
查看>>
牛腩新闻系统(一)——UML、数据库设计
查看>>
使用JSONObject 深度序列化和反序列化
查看>>