温馨提示×

C# waitone方法为何会阻塞

c#
小樊
81
2024-11-28 03:29:32
栏目: 编程语言

WaitOne 方法会阻塞,因为它是一个同步原语,用于等待一个事件(Event)变量的状态变为 true。当你调用一个线程的 WaitOne 方法时,该线程会进入等待状态,直到事件变量的状态变为 true。

事件变量通常用于多线程编程中的线程间通信。当一个线程需要通知另一个线程某个条件已经满足时,它可以设置事件变量的状态为 true。等待的线程会一直阻塞,直到事件变量的状态变为 true。

这里有一个简单的例子来说明 WaitOne 方法的阻塞行为:

using System;
using System.Threading;

class Program
{
    static EventWaitHandle eventWaitHandle = new EventWaitHandle(false, EventResetMode.ManualReset);

    static void Main()
    {
        Thread thread1 = new Thread(() =>
        {
            Console.WriteLine("Thread 1 is waiting for the event.");
            eventWaitHandle.WaitOne(); // 阻塞线程1,直到事件变为 true
            Console.WriteLine("Event has been signaled. Thread 1 continues.");
        });

        Thread thread2 = new Thread(() =>
        {
            Thread.Sleep(2000); // 等待2秒
            Console.WriteLine("Thread 2 is signaling the event.");
            eventWaitHandle.Set(); // 设置事件状态为 true,唤醒等待的线程
        });

        thread1.Start();
        thread2.Start();

        thread1.Join();
        thread2.Join();
    }
}

在这个例子中,thread1 会阻塞在 eventWaitHandle.WaitOne() 调用处,直到 thread2 调用 eventWaitHandle.Set() 设置事件状态为 true。

0