python 线程之 threading(一)

时间:2020-12-10 17:32:12

threading:基于对象和类的较高层面上的接口,threading模块在内部使用_thread模块来实现线程的对象以及常用的同步化工具的功能。

使用定制类的方式继承 threading.Thread基类

1. 在子类中需要override __init__ 和 run() 方法。

2. 当创建这个子类的实例后调用start方法,run方法将在新的线程中的Thread框架下运行。

3. join方法的使用:等待线程退出(当在一个线程中调用另外一个线程的join方式之后,调用线程会阻塞等待调用join线程退出之后在继续运行)

4. 使用threading.Lock()创建同步锁,使用这种方式创建的锁和_thread_allocate_lock方法创建的锁相同。

 import threading

 class MyThread(threading.Thread):
def __init__(self, myId, count, mutex):
self.myId = myId
self.count = count
self.mutex = mutex
threading.Thread.__init__(self) def run(self):
for i in range(self.count):
with self.mutex:
print('{0} id => {1}'.format(self.myId, i)) mutex = threading.Lock()
threads = [] for i in range(10):
thread = MyThread(i, 100, mutex)
threads.append(thread) for thread in threads:
thread.start()
thread.join()
print('main process existing')

使用threading模块调用线程的其他方法:

I  同上,使用Thread子类的方式开启新的线程

II 传入行为

 import threading

 def action(num):
print("the execute num is", num) thread = threading.Thread(target=(lambda: action(2)))
thread.start()

III 传入行为,但是不使用lambda函数封装起来

threading.Thread(target=action, args=(2,)).start()