Python多线程学习

1.线程的基本概念

1.1 线程

线程是应用程序最小的执行单元,线程与进程类似,进程可以看做程序的一次执行,而线程就是这个程序的各个功能,比如打开修图软件,就是一个进程,而修图软件的滤镜、虚化等功能可以看做线程。一个进程内部可以有一个到多个线程。所有的线程运行在一个进程中,共享一个内部环境,所以线程时间可以共享数据。

线程的状态

线程有开始,顺序执行,结束三个部分。它有一个自己的指令指针,记录自己运行到什么地步。线程的运行可能被抢占(中断),或暂时被挂起(睡眠),让其他的线程运行,这叫让步。 一个进程中的各个线程之间共享同一片数据空间,所以线程之间可以比进程之间更方便地共享数据以及相互通讯。当然,这样的共享并不是完全没有危险的。如果多个线程共同访问同一片数据,则由于数据访 问的顺序不一样,有可能导致数据结果的不一致的问题。这叫做竞态条件(race condition)。

线程一般都是并发执行的,不过在单 CPU 的系统中,真正的并发是不可能的,每个线程会被安排成每次只运行一小会,然后就把 CPU 让出来,让其它的线程去运行。由于有的函数会在完成之前阻塞住,在没有特别为多线程做修改的情 况下,这种“贪婪”的函数会让 CPU 的时间分配有所倾斜。导致各个线程分配到的运行时间可能不 尽相同,不尽公平。

线程状态

注:图片来自Python 多线程-伯乐在线 - 人世间,原图来自内心求法博客

1.2 GIL

GIL(Global Interpreter Lock)全局解释器锁,这个锁能保证同一时间内只有一个线程运行。
在多线程环境中,Python 虚拟机按以下方式执行:

  1. 设置GIL
  2. 切换到一个线程去执行
  3. 运行:
    a.指定数量的字节码指令
    b.线程主动让出控制(可以调用time.sleep(0))
  4. 把线程设置完睡眠状态
  5. 解锁GIL
  6. 再次重复以上步骤

2. threading

Python提供多线程编程的模块有thread和threading。thread模块提供了基本的线程和锁的支持,而threading模块提供了更高级别,功能更强的线程管理的功能。不建议使用低级别的thread模块,更高级别的threading更为先进,对线程的支持更为完善。而且thread对于你的进程什么时候应该结束完全没有控制,当主线程结束时,所有的线程都会被强制结束掉,没有警告也不会有正常的清除工作。

2.1 threading模块中的函数和类

函数有下:

  • active_count():返回当前运行的线程对象的数目
  • current_thread():返回当前Thread对象,对应的调用者的线程控制
  • enumerate():返回当前运行的线程对象的列表
  • main_thread():返回主要线程,一般情况下,主要线程是从Python解释器开始的线程

类:

  • Thread:表示运行在单独线程控制中的一个活动,一个线程的执行对象。
  • Lock:锁原语对象,实现原始锁对象的类。一旦线程已经获得锁定,则随后尝试获取锁定,直到它被释放; 任何线程都可能会释放它。
  • RLock: 可重入锁是同步原语,可以由同一个线程多次获取。一旦线程获得了可重入锁,同一个线程可能会再次获取锁定; 每次线程必须释放它一次。
  • Condition: 该类实现条件变量对象。条件变量允许一个或多个线程等待,直到被另一个线程通知。
  • Event: 这是线程之间通信的最简单的机制之一,一个线程发出一个事件,其他线程等待它
  • Semaphore:一个信号量管理一个内部计数器,它由每个acquire()调用递减,并由每个调用递增release()。计数器永远不会低于零;当acquire() 发现它为零时,它阻塞,等待直到其他一些线程调用 release()。
  • Timer:这个类表示一个动作,只有经过一定的时间后才能运行

2.2 threading.Thread

Thread(group=None, target=None, name=None, args=(), kwargs={}, *, daemon=None)

group:应为None
target:被run()方法调用的可调用对象,可以传入函数等可调用对象
name:线程名
args:传入到target的参数元组
kwargs:传入都target的参数字典

使用Thread两种方法,一种是创建Thread实例,调用start()方法;另一种是继承Thread类,在子类中重写run()和init()方法。

import time
import threading

def hello_thread(name):
    print('Starting {}--->{}, Time: {}'.format(threading.current_thread().name, name, time.ctime()))
    time.sleep(3)
    print('End {}--->{}, Time: {}'.format(threading.current_thread().name, name, time.ctime()))

          
if __name__ == '__main__':
    print('Satring {}, Time: {}'.format(threading.current_thread().name, time.ctime()))
    nums = ['One', 'Two', 'Three', 'Four', 'Five']
    threads = []
    for n in nums:
        t = threading.Thread(target=hello_thread, args=(n,))
        threads.append(t)
    for th in threads:
        th.start()
    
    for th in threads:
        th.join()
    print('End {}, Time: {}'.format(threading.current_thread().name, time.ctime()))
    
        
Satring MainThread, Time: Sun Sep  3 11:50:30 2017
Starting Thread-4--->One, Time: Sun Sep  3 11:50:30 2017
Starting Thread-5--->Two, Time: Sun Sep  3 11:50:30 2017Starting Thread-6--->Three, Time: Sun Sep  3 11:50:30 2017
Starting Thread-7--->Four, Time: Sun Sep  3 11:50:30 2017
Starting Thread-8--->Five, Time: Sun Sep  3 11:50:30 2017

End Thread-8--->Five, Time: Sun Sep  3 11:50:33 2017End Thread-6--->Three, Time: Sun Sep  3 11:50:33 2017

End Thread-7--->Four, Time: Sun Sep  3 11:50:33 2017End Thread-4--->One, Time: Sun Sep  3 11:50:33 2017End Thread-5--->Two, Time: Sun Sep  3 11:50:33 2017End MainThread, Time: Sun Sep  3 11:50:33 2017

输出结果混在了一起,因为标准输出是共享资源,造成混乱,所以需要加锁。

import time
import threading

th_lock = threading.Lock()

def hello_thread(name):
    # 获取锁
    th_lock.acquire()
    print('Starting {}--->{}, Time: {}'.format(threading.current_thread().name, name, time.ctime()))
    time.sleep(3)
    print('End {}--->{}, Time: {}'.format(threading.current_thread().name, name, time.ctime()))
    # 释放锁
    th_lock.release()

          
if __name__ == '__main__':
    print('Satring {}, Time: {}'.format(threading.current_thread().name, time.ctime()))
    nums = ['One', 'Two', 'Three', 'Four', 'Five']
    threads = []
    for n in nums:
        t = threading.Thread(target=hello_thread, args=(n,))
        threads.append(t)
    for th in threads:
        th.start()
    
    for th in threads:
        th.join()
    print('End {}, Time: {}'.format(threading.current_thread().name, time.ctime()))
Satring MainThread, Time: Sun Sep  3 15:24:45 2017Starting Thread-4--->One, Time: Sun Sep  3 15:24:45 2017

End Thread-4--->One, Time: Sun Sep  3 15:24:48 2017Starting Thread-5--->Two, Time: Sun Sep  3 15:24:48 2017

End Thread-5--->Two, Time: Sun Sep  3 15:24:51 2017
Starting Thread-6--->Three, Time: Sun Sep  3 15:24:51 2017
End Thread-6--->Three, Time: Sun Sep  3 15:24:54 2017
Starting Thread-7--->Four, Time: Sun Sep  3 15:24:54 2017
End Thread-7--->Four, Time: Sun Sep  3 15:24:57 2017
Starting Thread-8--->Five, Time: Sun Sep  3 15:24:57 2017
End Thread-8--->Five, Time: Sun Sep  3 15:25:00 2017End MainThread, Time: Sun Sep  3 15:25:00 2017

一个线程结束后,马上开始新的线程。

继承Thread.Threading类

import threading
from time import time, sleep

class MyThreading(threading.Thread):
    def __init__(self, thread_id, thread_name):
        threading.Thread.__init__(self)
        self.thread_id = thread_id
        self.thread_name = thread_name
    def run(self):
        print('Thread {} , Name {}, Start'.format(self.thread_name, self.thread_id))
        sleep(1)
        print('Thread End')
if __name__ == '__main__':
    print('Begining')
    t1 = MyThreading(1, 'Threading-1')
    t2 = MyThreading(2, 'Threading-2')
    t1.start()
    t2.start()
    t1.join()
    t2.join()
    print('All Done!')
        
    
Begining
Thread Threading-1 , Name 1, Start
Thread Threading-2 , Name 2, Start
Thread EndThread End

All Done!

外部传入线程运行的函数

import time 
import threading

loops = ['one', 'two']

class MyThread(threading.Thread):
    def __init__(self, target, args):
        super(MyThread, self).__init__()
        self.target = target
        self.args = args
        
    def run(self):
        self.target(*self.args)
def output(nloop, nesc):
    print('Start loop, "{}", at: {}'.format(nloop, time.ctime()))
    time.sleep(nesc)
    print('End loop, "{}", at: {}'.format(nloop, time.ctime()))
    
if __name__ == '__main__':
    print('Main Threading')
    nloop = range(len(loops))
    threads = []
    for i in nloop:
        my_thread = MyThread(output, (loops[i], i))
        threads.append(my_thread)
    for th in threads:        
        th.start()
    for th in threads:
        th.join()
    print('All Done')
    
Main ThreadingStart loop, "one", at: Sun Sep  3 16:54:43 2017

End loop, "one", at: Sun Sep  3 16:54:43 2017
Start loop, "two", at: Sun Sep  3 16:54:43 2017
End loop, "two", at: Sun Sep  3 16:54:44 2017
All Done

创建线程的时候传入一个类,这样可以使用类的强大功能,可以保存更多的信息,方法更灵活。

 
from threading import Thread
from time import sleep, ctime
 
 
loops = [4, 2]
 
 
class ThreadFunc(object):
 
    def __init__(self, func, args, name=""):
        self.name = name
        self.func = func
        self.args = args
 
    def __call__(self):
        # 创建新线程的时候,Thread 对象会调用我们的 ThreadFunc 对象,这时会用到一个特殊函数 __call__()。
        self.func(*self.args)
 
 
def loop(nloop, nsec):
    print('start loop %s at: %s' % (nloop, ctime()))
    sleep(nsec)
    print('loop %s done at: %s' % (nloop, ctime()))
 
 
def main():
    print('starting at:', ctime())
    threads = []
    nloops = range(len(loops))
 
    for i in nloops:
        t = Thread(target=ThreadFunc(loop, (i, loops[i]), loop.__name__))
        threads.append(t)
 
    for i in nloops:
        threads[i].start()
 
    for i in nloops:
        threads[i].join() 
    print('all DONE at:', ctime())
 
 
if __name__ == '__main__':
    main()
starting at: Sun Sep  3 17:33:51 2017
start loop 0 at: Sun Sep  3 17:33:51 2017
start loop 1 at: Sun Sep  3 17:33:51 2017
loop 1 done at: Sun Sep  3 17:33:53 2017
loop 0 done at: Sun Sep  3 17:33:55 2017all DONE at:
 Sun Sep  3 17:33:55 2017

总结:threading.Thread()类创建线程,实际上就像老师给学生分配任务一样,你做什么,他做什么,她做什么,我做什么。在Python中分配的任务以函数或者类的形式体现,所以创建多线程会给threading.Thread指定一个函数或者类,相当与指定任务,传入参数则相当与老师给你一些材料,用这些材料完成任务。因此,可以看到创建多线程时指定函数、指定类,有的还会继承threading.Thread,添加一些功能,再指定函数或者类。
  start()方法用来启动线程,start()告诉run()函数运行线程,所以继承threading.Thread时需要重写run()方法。join()方法用以阻塞当前线程,就是告诉当前线程,调用join()方法的线程不执行完,你就不能执行。

2.3 Lock

线程共享数据,因此多个线程对同一数据修改可能会发生冲突,因此需要Lock。当一个线程获取Lock时,相当于告诉其他线程,数据我正在修改,你不能动,等我释放之后,你才可以。

import time, threading

balance = 0

def change_it(n):
    global balance
    balance = balance + n
    balance = balance - n

def run_thread(n):
    for i in range(100000):
        change_it(n)

t1 = threading.Thread(target=run_thread, args=(5,))
t2 = threading.Thread(target=run_thread, args=(8,))
t1.start()
t2.start()
t1.join()
t2.join()
print(balance)
5

多次执行后,会出现不为0的情况,因为修改balance需要多条语句,而执行这几条语句时,线程可能中断,从而导致多个线程把同一个对象的内容改乱了。详情见廖雪峰Python教程

import time, threading

balance = 0
lock = threading.Lock()
def change_it(n):
    global balance
    balance = balance + n
    balance = balance - n

def run_thread(n):
    for i in range(100000):
        try:
            # 获取锁
            lock.acquire()
            change_it(n)
        finally:
            # 释放锁
            lock.release()

t1 = threading.Thread(target=run_thread, args=(5,))
t2 = threading.Thread(target=run_thread, args=(8,))
t1.start()
t2.start()
t1.join()
t2.join()
print(balance)
0

2.4 Condition

条件变量对象能让一个线程停下来,等待其他线程满足了某个条件。条件变量允许一个或多个线程等待,直到被另一个线程通知。线程首先acquire一个条件变量锁。如果条件不足,则该线程wait,如果满足就执行线程,甚至可以notify其他线程。其他处于wait状态的线程接到通知后会重新判断条件。

  1. 当一个线程获取锁后,发现没有相应的资源或状态,就会调用wait阻塞,释放已经获得的锁,直到期望的资源或者状态发生改变。
  2. 当一个线程获得了锁,改变了资源或者状态,就会调用notify()或者notifyall()去通知其他线程。

方法:

acquire():获得锁
release():释放锁
wait([timeout]):持续等待直到被notify()或者notifyAll()通知或者超时(必须先获得锁)
wait():所做操作, 先释放获得的锁, 然后阻塞, 知道被notify或者notifyAll唤醒或者超时, 一旦被唤醒或者超时, 会重新获取锁(应该说抢锁), 然后返回
notify():唤醒一个wait()阻塞的线程
notify_all()或者notifyAll():唤醒所有阻塞的线程

from threading import Thread, current_thread, Condition
from time import sleep
con = Condition()

def th_con():
    with con:
        for i in range(5):
            print('Name: {}, Times: {}'.format(current_thread().name, i))
            sleep(0.3)
            if i == 3:
                print('Release Lock, Wait')
                # 只有获取锁的线程才能调用 wait() 和 notify(),因此必须在锁释放前调用 
                con.wait()
                
def th_con2():
    with con:
        for i in range(5):
            print('Name: {}, Times: {}'.format(current_thread().name, i))
            sleep(0.3)
            if i == 3:                
                con.notify()
                print('Notify Thread')
                
if __name__ == '__main__':
    Thread(target=th_con, name='Thread>>>One').start()
    Thread(target=th_con2, name='Thread<<<Two').start()
Name: Thread>>>One, Times: 0
Name: Thread>>>One, Times: 1
Name: Thread>>>One, Times: 2
Name: Thread>>>One, Times: 3
Release Lock, Wait
Name: Thread<<<Two, Times: 0
Name: Thread<<<Two, Times: 1
Name: Thread<<<Two, Times: 2
Name: Thread<<<Two, Times: 3
Notify Thread
Name: Thread<<<Two, Times: 4
Name: Thread>>>One, Times: 4

2.5 Event

事件用于在线程间通信。一个线程发出一个信号,其他一个或多个线程等待,调用event对象的wait方法,线程则会阻塞等待,直到别的线程set之后,才会被唤醒。

import time
import threading

class MyThread(threading.Thread):
    def __init__(self, event):
        super(MyThread, self).__init__()
        self.event = event
        
    def run(self):
        print('Thread {} is ready'.format(self.getName()))
        self.event.wait()
        print('Thread {} run'.format(self.getName()))
        
signal = threading.Event()

def main():
    start = time.time()
    for i in range(3):
        t = MyThread(signal)
        t.start()
        
    time.sleep(3)
    print('After {}s'.format(time.time() - start))
    # 将内部标志设置为True,等待标识的其他线程都会被唤醒
    signal.set()
if __name__ == '__main__':
    main()
Thread Thread-4 is ready
Thread Thread-5 is ready
Thread Thread-6 is ready
After 3.0065603256225586sThread Thread-4 run

Thread Thread-6 run
Thread Thread-5 run

3.queue

queue用于线程间通信,让各个线程之间共享数据。Queue实现的三种队列模型:

  • FIFO(先进先出)队列,第一加入队列的任务, 被第一个取出
  • LIFO(后进先出)队列,最后加入队列的任务, 被第一个取出
  • PriorityQueue(优先级)队列, 保持队列数据有序, 最小值被先取出

queue实现的类和异常:

qsize():返回队列的大致大小
empty():如果队列为空,则返回True
full():如果队列满,则返回True
put():往Queue加入元素
get():从Queue中删除并返回一个项目
join():阻塞一直到Queue中的所有元素被获取和处理
task_done():表明以前入队的任务已经完成。由队列消费者线程使用。对于每个get()用于获取任务的后续调用, task_done()告知队列对任务的处理完成。

生产者和消费者模型

某些模块负责生产数据,这些数据由其他模块来负责处理(此处的模块可能是:函数、线程、进程等)。产生数据的模块称为生产者,而处理数据的模块称为消费者。在生产者与消费者之间的缓冲区称之为仓库。生产者负责往仓库运输商品,而消费者负责从仓库里取出商品,这就构成了生产者消费者模式。

生产者消费者

图片来自用Python多线程实现生产者消费者模式

import time
import threading
import queue
import random



class Producer(threading.Thread):
    def __init__(self, name, q):
        threading.Thread.__init__(self, name=name)
        self.data = q
    def run(self):
        for i in range(10):
            elem = random.randrange(100)
            self.data.put(elem)
            print('{} a elem {}, Now the size is {}'.format(self.getName(), elem, self.data.qsize()))
            time.sleep(random.random())
        print('Thread {}, {} is finished!!!'.format(threading.current_thread().name, self.getName()))
class Consumer(threading.Thread):
    def __init__(self, name, q):
        threading.Thread.__init__(self, name=name)
        self.data = q
    def run(self):
        for i in range(10):
            elem = self.data.get()
            self.data.task_done()
            print('{} a elem {}, Now the size is {}'.format(self.getName(), elem, self.data.qsize()))
            time.sleep(random.random())
        print('Thread {}, {} is finished!!!'.format(threading.current_thread().name, self.getName()))

def main():
    print('Start Pro')
    q = queue.Queue()
    producer = Producer('Producer', q)
    consumer = Consumer('Consumer', q)
    producer.start()
    consumer.start()
    producer.join()
    consumer.join()
    
#     threads_pro = []
#     threads_con = []
#     for i in range(3):
#         producer = Producer('Producer', q)
#         threads_pro.append(producer)
#     for i in range(3):
#         consumer = Consumer('Consumer', q)
#         threads_con.append(consumer)
#     for th in threads_pro:
#         th.start()
#     for th in threads_con:
#         th.start()
#     for th in threads_pro:
#         th.join()
#     for th in threads_con:
#         th.join()
    print('All Done!!!')
    
            
if __name__ == '__main__':
    main()
Start Pro
Producer a elem 89, Now the size is 1
Consumer a elem 89, Now the size is 0
Producer a elem 26, Now the size is 1Consumer a elem 26, Now the size is 0

Producer a elem 51, Now the size is 1Consumer a elem 51, Now the size is 0

Producer a elem 41, Now the size is 1Consumer a elem 41, Now the size is 0

Producer a elem 29, Now the size is 1Consumer a elem 29, Now the size is 0

Producer a elem 63, Now the size is 1
Consumer a elem 63, Now the size is 0
Producer a elem 56, Now the size is 1Consumer a elem 56, Now the size is 0

Producer a elem 31, Now the size is 1
Consumer a elem 31, Now the size is 0
Producer a elem 21, Now the size is 1
Consumer a elem 21, Now the size is 0
Producer a elem 67, Now the size is 1
Consumer a elem 67, Now the size is 0
Thread Producer, Producer is finished!!!
Thread Consumer, Consumer is finished!!!
All Done!!!

4.ThreadLocal

一个ThreadLocal变量虽然是全局变量,但每个线程都只能读写自己线程的独立副本,互不干扰。ThreadLocal解决了参数在一个线程中各个函数之间互相传递的问题。它本身是一个全局变量,但是每个线程却可以利用它来保存属于自己的私有数据,这些私有数据对其他线程也是不可见的。

线程变量

图片来自深入理解Python中的ThreadLocal变量(上)

import threading

# 创建全局ThreadLocal对象:
local_school = threading.local()

def process_student():
    # 获取当前线程关联的student:
    std = local_school.student
    print('Hello, %s (in %s)' % (std, threading.current_thread().name))

def process_thread(name):
    # 绑定ThreadLocal的student:
    local_school.student = name
    process_student()

t1 = threading.Thread(target= process_thread, args=('Alice',), name='Thread-A')
t2 = threading.Thread(target= process_thread, args=('Bob',), name='Thread-B')
t1.start()
t2.start()
t1.join()
t2.join()
Hello, Alice (in Thread-A)
Hello, Bob (in Thread-B)

阅读

  1. 菜鸟教程-Python多线程
  2. 苍松博客
  3. Xiao|Deng
  4. Python多线程鸡年不鸡肋
  5. 理解Python中的线程
  6. 理解 python 中多线程
  7. python线程笔记
  8. Python 爬虫 (四) --多线程
最后编辑于
©著作权归作者所有,转载或内容合作请联系作者
  • 序言:七十年代末,一起剥皮案震惊了整个滨河市,随后出现的几起案子,更是在滨河造成了极大的恐慌,老刑警刘岩,带你破解...
    沈念sama阅读 203,362评论 5 477
  • 序言:滨河连续发生了三起死亡事件,死亡现场离奇诡异,居然都是意外死亡,警方通过查阅死者的电脑和手机,发现死者居然都...
    沈念sama阅读 85,330评论 2 381
  • 文/潘晓璐 我一进店门,熙熙楼的掌柜王于贵愁眉苦脸地迎上来,“玉大人,你说我怎么就摊上这事。” “怎么了?”我有些...
    开封第一讲书人阅读 150,247评论 0 337
  • 文/不坏的土叔 我叫张陵,是天一观的道长。 经常有香客问我,道长,这世上最难降的妖魔是什么? 我笑而不...
    开封第一讲书人阅读 54,560评论 1 273
  • 正文 为了忘掉前任,我火速办了婚礼,结果婚礼上,老公的妹妹穿的比我还像新娘。我一直安慰自己,他们只是感情好,可当我...
    茶点故事阅读 63,580评论 5 365
  • 文/花漫 我一把揭开白布。 她就那样静静地躺着,像睡着了一般。 火红的嫁衣衬着肌肤如雪。 梳的纹丝不乱的头发上,一...
    开封第一讲书人阅读 48,569评论 1 281
  • 那天,我揣着相机与录音,去河边找鬼。 笑死,一个胖子当着我的面吹牛,可吹牛的内容都是我干的。 我是一名探鬼主播,决...
    沈念sama阅读 37,929评论 3 395
  • 文/苍兰香墨 我猛地睁开眼,长吁一口气:“原来是场噩梦啊……” “哼!你这毒妇竟也来了?” 一声冷哼从身侧响起,我...
    开封第一讲书人阅读 36,587评论 0 258
  • 序言:老挝万荣一对情侣失踪,失踪者是张志新(化名)和其女友刘颖,没想到半个月后,有当地人在树林里发现了一具尸体,经...
    沈念sama阅读 40,840评论 1 297
  • 正文 独居荒郊野岭守林人离奇死亡,尸身上长有42处带血的脓包…… 初始之章·张勋 以下内容为张勋视角 年9月15日...
    茶点故事阅读 35,596评论 2 321
  • 正文 我和宋清朗相恋三年,在试婚纱的时候发现自己被绿了。 大学时的朋友给我发了我未婚夫和他白月光在一起吃饭的照片。...
    茶点故事阅读 37,678评论 1 329
  • 序言:一个原本活蹦乱跳的男人离奇死亡,死状恐怖,灵堂内的尸体忽然破棺而出,到底是诈尸还是另有隐情,我是刑警宁泽,带...
    沈念sama阅读 33,366评论 4 318
  • 正文 年R本政府宣布,位于F岛的核电站,受9级特大地震影响,放射性物质发生泄漏。R本人自食恶果不足惜,却给世界环境...
    茶点故事阅读 38,945评论 3 307
  • 文/蒙蒙 一、第九天 我趴在偏房一处隐蔽的房顶上张望。 院中可真热闹,春花似锦、人声如沸。这庄子的主人今日做“春日...
    开封第一讲书人阅读 29,929评论 0 19
  • 文/苍兰香墨 我抬头看了看天上的太阳。三九已至,却和暖如春,着一层夹袄步出监牢的瞬间,已是汗流浃背。 一阵脚步声响...
    开封第一讲书人阅读 31,165评论 1 259
  • 我被黑心中介骗来泰国打工, 没想到刚下飞机就差点儿被人妖公主榨干…… 1. 我叫王不留,地道东北人。 一个月前我还...
    沈念sama阅读 43,271评论 2 349
  • 正文 我出身青楼,却偏偏与公主长得像,于是被迫代替她去往敌国和亲。 传闻我的和亲对象是个残疾皇子,可洞房花烛夜当晚...
    茶点故事阅读 42,403评论 2 342

推荐阅读更多精彩内容

  • 线程 引言&动机 考虑一下这个场景,我们有10000条数据需要处理,处理每条数据需要花费1秒,但读取数据只需要0....
    不浪漫的浪漫_ea03阅读 357评论 0 0
  • 引言&动机 考虑一下这个场景,我们有10000条数据需要处理,处理每条数据需要花费1秒,但读取数据只需要0.1秒,...
    chen_000阅读 500评论 0 0
  • 1.进程和线程 队列:1、进程之间的通信: q = multiprocessing.Queue()2、...
    一只写程序的猿阅读 1,095评论 0 17
  • 来源:数据分析网Threading 模块从 Python 1.5.2 版开始出现,用于增强底层的多线程模块 thr...
    PyChina阅读 1,736评论 0 5
  • 代码主要取自参考文章2,具体设置可以参考这篇文章,我这里主要是汉化了一下,然后调整出我喜欢的格式。 最终在印象笔记...
    iChanne阅读 3,379评论 5 17