AutoResetEvent
是 C# 中一個非常有用的同步原語,它允許多個線程在一個事件上等待,直到另一個線程觸發(fā)該事件。在并發(fā)編程中,AutoResetEvent
可以用于控制線程之間的執(zhí)行順序和同步。
以下是 AutoResetEvent
在并發(fā)編程中的一些應用場景:
AutoResetEvent
來確保它們按照預期的順序執(zhí)行。例如,主線程可以等待一個或多個工作線程完成任務,然后繼續(xù)執(zhí)行后續(xù)操作。AutoResetEvent syncEvent = new AutoResetEvent(false);
// 工作線程
Thread workerThread = new Thread(() =>
{
// 執(zhí)行任務
Thread.Sleep(1000);
// 觸發(fā)事件,通知主線程任務完成
syncEvent.Set();
});
workerThread.Start();
// 主線程
syncEvent.WaitOne(); // 等待工作線程完成任務
// 繼續(xù)執(zhí)行后續(xù)操作
AutoResetEvent
來限制同時訪問資源的線程數(shù)量。例如,可以使用兩個 AutoResetEvent
分別表示資源 A 和資源 B 的訪問權限,當一個線程獲得資源 A 的訪問權限時,另一個線程必須等待資源 B 的訪問權限被釋放。AutoResetEvent resourceAAccessEvent = new AutoResetEvent(false);
AutoResetEvent resourceBAccessEvent = new AutoResetEvent(false);
// 線程 1:獲取資源 A 訪問權限
resourceAAccessEvent.WaitOne(); // 等待資源 A 可用
resourceAAccessEvent.Set(); // 釋放資源 A 訪問權限
// 線程 2:獲取資源 B 訪問權限
resourceBAccessEvent.WaitOne(); // 等待資源 B 可用
resourceBAccessEvent.Set(); // 釋放資源 B 訪問權限
AutoResetEvent
可以用于實現(xiàn)生產(chǎn)者-消費者模式,其中生產(chǎn)者和消費者線程分別負責生成數(shù)據(jù)和消費數(shù)據(jù)。生產(chǎn)者線程在完成數(shù)據(jù)生成后觸發(fā)事件,消費者線程在收到事件后開始處理數(shù)據(jù)。AutoResetEvent dataReadyEvent = new AutoResetEvent(false);
Queue<int> dataQueue = new Queue<int>();
// 生產(chǎn)者線程
Thread producerThread = new Thread(() =>
{
for (int i = 0; i < 10; i++)
{
// 生成數(shù)據(jù)
int data = i;
// 將數(shù)據(jù)添加到隊列中
lock (dataQueue)
{
dataQueue.Enqueue(data);
}
// 觸發(fā)事件,通知消費者線程有新數(shù)據(jù)可用
dataReadyEvent.Set();
}
});
producerThread.Start();
// 消費者線程
Thread consumerThread = new Thread(() =>
{
while (true)
{
// 等待新數(shù)據(jù)可用
dataReadyEvent.WaitOne();
// 處理數(shù)據(jù)
lock (dataQueue)
{
int data = dataQueue.Dequeue();
Console.WriteLine($"Consumed: {data}");
}
}
});
consumerThread.Start();
總之,AutoResetEvent
是一個非常有用的同步原語,可以幫助您在 C# 中的并發(fā)編程中實現(xiàn)線程之間的同步和通信。