在C#中,Wait
和NotifyAll
是用于線程同步的方法,它們主要用于協調多個線程之間的操作。這兩個方法通常在多線程編程中使用,以確保在某個條件滿足之前,線程會等待,直到其他線程改變了共享資源的狀態。
Wait
方法用于讓當前線程等待,直到另一個線程調用同一對象的NotifyAll
方法或Notify
方法。NotifyAll
方法會喚醒所有等待該對象的線程,而Notify
方法只會喚醒一個等待該對象的線程。
下面是一個簡單的示例,展示了如何使用Wait
和NotifyAll
方法:
using System;
using System.Threading;
class Program
{
static object lockObject = new object();
static int sharedResource = 0;
static void Main(string[] args)
{
Thread thread1 = new Thread(Thread1);
Thread thread2 = new Thread(Thread2);
thread1.Start();
thread2.Start();
thread1.Join();
thread2.Join();
}
static void Thread1()
{
lock (lockObject)
{
Console.WriteLine("Thread 1: Waiting for the condition...");
Monitor.Wait(lockObject);
Console.WriteLine("Thread 1: The condition is met. Accessing the shared resource.");
sharedResource++;
}
}
static void Thread2()
{
lock (lockObject)
{
Console.WriteLine("Thread 2: Waiting for the condition...");
Monitor.Wait(lockObject);
Console.WriteLine("Thread 2: The condition is met. Accessing the shared resource.");
sharedResource++;
}
}
}
在這個示例中,我們有兩個線程Thread1
和Thread2
。它們都嘗試訪問共享資源sharedResource
,但在訪問之前,它們需要等待某個條件滿足。為了實現這一點,我們使用了一個鎖對象lockObject
,并在訪問共享資源之前調用Monitor.Wait(lockObject)
方法。當另一個線程改變共享資源的狀態時,它將調用Monitor.NotifyAll(lockObject)
方法來喚醒所有等待的線程。