Python中的wait()
函數(shù)主要用于線程同步。它用于讓當(dāng)前線程暫停執(zhí)行一段時(shí)間,直到其他線程完成某個(gè)操作或滿足某個(gè)條件。wait()
函數(shù)通常與線程的notify()
或notify_all()
方法一起使用,以實(shí)現(xiàn)線程間的協(xié)作。
wait()
函數(shù)的主要作用如下:
防止死鎖:當(dāng)多個(gè)線程需要訪問共享資源時(shí),如果沒有適當(dāng)?shù)耐綑C(jī)制,可能會(huì)導(dǎo)致死鎖。wait()
和notify()
/notify_all()
方法可以幫助避免這種情況。
控制線程執(zhí)行順序:通過使用wait()
和notify()
/notify_all()
,可以控制線程的執(zhí)行順序,確保某些線程在其他線程之前或之后執(zhí)行。
實(shí)現(xiàn)線程間的通信:wait()
函數(shù)可以用于實(shí)現(xiàn)線程間的通信,讓一個(gè)線程等待另一個(gè)線程的信號(hào),然后繼續(xù)執(zhí)行。
下面是一個(gè)簡(jiǎn)單的示例,展示了如何使用wait()
和notify()
方法:
import threading
class Counter:
def __init__(self):
self.value = 0
self.lock = threading.Lock()
self.condition = threading.Condition(self.lock)
def increment(self):
with self.condition:
self.value += 1
print(f"Value incremented to {self.value}")
self.condition.notify() # 通知等待的線程
def wait_for_value(self, target_value):
with self.condition:
while self.value < target_value:
self.condition.wait() # 等待線程通知
print(f"Target value {target_value} reached")
counter = Counter()
# 創(chuàng)建兩個(gè)線程,一個(gè)用于遞增計(jì)數(shù)器,另一個(gè)用于等待計(jì)數(shù)器達(dá)到目標(biāo)值
t1 = threading.Thread(target=counter.increment)
t2 = threading.Thread(target=counter.wait_for_value, args=(5,))
t1.start()
t2.start()
t1.join()
t2.join()
在這個(gè)示例中,Counter
類使用了一個(gè)條件變量condition
來實(shí)現(xiàn)線程同步。increment()
方法在遞增計(jì)數(shù)器后調(diào)用notify()
方法,通知等待的線程。wait_for_value()
方法則使用wait()
方法等待計(jì)數(shù)器達(dá)到目標(biāo)值。