详细解析C#多线程同步事件及等待句柄

2019-12-30 14:28:53王振洲

这时代码是不是清爽多了,这里其实你还会看到,把上面的AutoResetEvent换成ManualResetEvent也是没有问题的,那么它两之间的区别是什么呢?个人认为它们最大的区别在于,无论何时,只要 AutoResetEvent 激活线程,它的状态将自动从终止变为非终止。相反,ManualResetEvent 允许它的终止状态激活任意多个线程,只有当它的 Reset 方法被调用时才还原到非终止状态。开下面的代码:


using System; 
using System.Collections.Generic; 
using System.Text; 
using System.Threading; 
 
namespace AutoResetEventTest 
{ 
  class Class3 
  { 
    static AutoResetEvent mEvent = new AutoResetEvent(false); 
    //static ManualResetEvent mEvent = new ManualResetEvent(false); 
 
    static void DoWork() 
    { 
      Console.WriteLine("  worker thread started, now waiting on event..."); 
      for (int i = 0; i < 3; i++) 
      { 
        mEvent.WaitOne(); 
        //mEvent.Reset(); 
        Console.WriteLine("  worker thread reactivated, now exiting..."); 
      } 
    } 
 
    static void Main() 
    { 
      Console.WriteLine("main thread starting worker thread..."); 
      Thread t = new Thread(DoWork); 
      t.Start(); 
 
      for (int i = 0; i < 3; i++) 
      { 
        Thread.Sleep(1000); 
        Console.WriteLine("main thread signaling worker thread..."); 
        mEvent.Set(); 
      } 
    } 
  } 
} 

如果你想仅仅把AutoResetEvent换成ManualResetEvent的话,你发现输出就会乱套了,为什么呢?

假如有autoevent.WaitOne()和manualevent.WaitOne(),当线程得到信号后都得以继续执行。差别就在调用后,autoevent.WaitOne()每次只允许一个线程进入,当某个线程得到信号(也就是有其他线程调用了autoevent.Set()方法后)后,autoevent会自动又将信号置为不发送状态,则其他调用WaitOne的线程只有继续等待,也就是说,autoevent一次只唤醒一个线程。而manualevent则可以唤醒多个线程,当某个线程调用了set方法后,其他调用waitone的线程获得信号得以继续执行,而manualevent不会自动将信号置为不发送,也就是说,除非手工调用了manualevent.Reset()方法,否则manualevent将一直保持有信号状态,manualevent也就可以同时唤醒多个线程继续执行。

在上面代码中,如果将AutoResetEvent换成ManualResetEvent的话,只要要在waitone后面做下reset,就会达到同样的效果。

之后咱们再来个简单的例子:


using System; 
using System.Collections.Generic; 
using System.Text; 
using System.Threading; 
 
namespace AutoResetEventTest 
{ 
  class Class4 
  { 
    public static AutoResetEvent mEvent = new AutoResetEvent(false); 
 
    public static void trmain() 
    { 
      Thread tr = Thread.CurrentThread; 
      Console.WriteLine("thread: waiting for an event"); 
      mEvent.WaitOne(); 
      Console.WriteLine("thread: got an event"); 
      for (int x = 0; x < 10; x++) 
      { 
        Thread.Sleep(1000); 
        Console.WriteLine(tr.Name + ": " + x); 
      } 
    } 
    static void Main(string[] args) 
    { 
      Thread thrd1 = new Thread(new ThreadStart(trmain)); 
      thrd1.Name = "thread1"; 
      thrd1.Start(); 
      for (int x = 0; x < 10; x++) 
      { 
        Thread.Sleep(900); 
        Console.WriteLine("Main:" + x); 
        if (5 == x) mEvent.Set(); 
      } 
      while (thrd1.IsAlive) 
      { 
        Thread.Sleep(1000); 
        Console.WriteLine("Main: waiting for thread to stop"); 
      } 
    } 
  } 
}