ManualResetEvent
是 C# 中的一个同步原语,它允许一个或多个线程等待,直到另一个线程设置事件。ManualResetEvent
有两种状态:Set
和 Reset
。当事件处于 Set
状态时,等待的线程会被释放;当事件处于 Reset
状态时,等待的线程会继续保持阻塞状态,直到事件被设置为 Set
。
处理 ManualResetEvent
状态改变的方法如下:
ManualResetEvent
实例:ManualResetEvent manualResetEvent = new ManualResetEvent(false); // false 表示初始状态为 Reset
WaitOne
方法:manualResetEvent.WaitOne(); // 当前线程会阻塞,直到事件被设置为 Set
Set
方法:manualResetEvent.Set(); // 事件被设置为 Set,等待的线程会被释放
Reset
方法:manualResetEvent.Reset(); // 事件被设置为 Reset,等待的线程继续保持阻塞状态
下面是一个简单的示例,展示了如何使用 ManualResetEvent
控制线程同步:
using System;
using System.Threading;
class Program
{
static ManualResetEvent manualResetEvent = new ManualResetEvent(false);
static void Main()
{
Thread producer = new Thread(Produce);
Thread consumer = new Thread(Consume);
producer.Start();
consumer.Start();
producer.Join();
consumer.Join();
}
static void Produce()
{
Console.WriteLine("生产者开始生产");
Thread.Sleep(1000); // 模拟生产过程
Console.WriteLine("生产者生产完成");
manualResetEvent.Set(); // 设置事件,通知消费者可以消费
}
static void Consume()
{
manualResetEvent.WaitOne(); // 等待事件被设置为 Set
Console.WriteLine("消费者开始消费");
Thread.Sleep(1000); // 模拟消费过程
Console.WriteLine("消费者消费完成");
}
}
在这个示例中,生产者线程在生产完成后设置 ManualResetEvent
,消费者线程在事件被设置为 Set
后开始消费。这样就实现了线程之间的同步。