C#中的AutoResetEvent
是一种同步原语,用于在多个线程之间进行通信。它允许一个或多个线程等待,直到另一个线程触发事件。当事件被触发时,所有等待的线程将被释放。AutoResetEvent
有两个主要方法:Set()
用于触发事件,WaitOne()
用于等待事件被触发。
以下是一个简单的示例,说明如何使用AutoResetEvent
通知线程:
using System;
using System.Threading;
class Program
{
static AutoResetEvent _autoResetEvent = new AutoResetEvent(false); // 初始状态为未触发
static void Main(string[] args)
{
Thread t1 = new Thread(ThreadMethod1);
Thread t2 = new Thread(ThreadMethod2);
t1.Start();
t2.Start();
t1.Join();
t2.Join();
}
static void ThreadMethod1()
{
Console.WriteLine("Thread 1 is waiting for the event to be set.");
_autoResetEvent.WaitOne(); // 等待事件被触发
Console.WriteLine("Thread 1: The event has been set.");
}
static void ThreadMethod2()
{
Thread.Sleep(1000); // 让线程2延迟1秒,以便线程1先运行
Console.WriteLine("Thread 2 is setting the event.");
_autoResetEvent.Set(); // 触发事件
Console.WriteLine("Thread 2: The event has been set.");
}
}
在这个示例中,我们创建了两个线程t1
和t2
。线程t1
等待AutoResetEvent
被触发,而线程t2
在延迟1秒后触发事件。当事件被触发时,所有等待的线程将被释放并继续执行。