AutoResetEvent
是 C# 中一種用于多線程同步的類,它位于 System.Threading
命名空間中。AutoResetEvent
允許一個(gè)或多個(gè)線程等待其他線程完成操作。它在多線程編程中的作用主要體現(xiàn)在以下幾個(gè)方面:
同步:AutoResetEvent
可以用于確保某些線程在繼續(xù)執(zhí)行之前等待其他線程完成特定任務(wù)。例如,當(dāng)一個(gè)線程完成了對共享資源的訪問,它可以通過調(diào)用 AutoResetEvent.Set()
方法來通知其他等待的線程可以繼續(xù)執(zhí)行。
互斥:AutoResetEvent
可以用于實(shí)現(xiàn)互斥鎖(Mutex),確保同一時(shí)間只有一個(gè)線程可以訪問共享資源。當(dāng)一個(gè)線程獲得鎖時(shí),其他線程必須等待直到鎖被釋放。
事件通知:AutoResetEvent
可以用于實(shí)現(xiàn)事件通知機(jī)制。當(dāng)一個(gè)線程完成特定任務(wù)時(shí),它可以調(diào)用 AutoResetEvent.Set()
方法來觸發(fā)一個(gè)事件,通知其他等待的線程。
下面是一個(gè)簡單的 AutoResetEvent
示例:
using System;
using System.Threading;
class Program
{
static AutoResetEvent _autoResetEvent = new AutoResetEvent(false); // 初始狀態(tài)為 false
static void Main()
{
Thread thread1 = new Thread(Thread1);
Thread thread2 = new Thread(Thread2);
thread1.Start();
thread2.Start();
thread1.Join();
thread2.Join();
}
static void Thread1()
{
Console.WriteLine("Thread 1 is waiting for the AutoResetEvent.");
_autoResetEvent.WaitOne(); // 等待事件被觸發(fā)
Console.WriteLine("Thread 1 has been notified.");
}
static void Thread2()
{
Console.WriteLine("Thread 2 is setting the AutoResetEvent.");
_autoResetEvent.Set(); // 觸發(fā)事件
Console.WriteLine("Thread 2 has set the AutoResetEvent.");
}
}
在這個(gè)示例中,Thread1
等待 _autoResetEvent
被觸發(fā),而 Thread2
在完成特定任務(wù)后觸發(fā)該事件。這樣,我們可以確保 Thread1
在 Thread2
完成任務(wù)之前不會繼續(xù)執(zhí)行。