We were surprised to learn today that threads waiting on a ManualResetEvent
continue waiting on the event even when it's closed. We would have expected that calling Close()
would implicitly signal the waiting threads.
We tracked this down as a reason some of our windows services were not shutting down as fast as we'd like. We're changing all of our Dispose
implementations that close ManualResetEvent
references to call Set
first.
Can anyone explain why Close
doesn't implicitly call Set
? When would you want a waiting thread to continue waiting?
Here's our test code to demonstrate our findings:
private static readonly Stopwatch _timer = Stopwatch.StartNew();
public static void Test()
{
var sync = new ManualResetEvent(false);
ThreadPool.QueueUserWorkItem(state =>
{
Log("ThreadPool enter, waiting 250ms...");
sync.WaitOne(250);
Log("ThreadPool exit");
});
Log("Main sleeping 100");
Thread.Sleep(100);
Log("Main about to close");
// sync.Set(); // Is Set called implicitly? No...
sync.Close();
Log("Main waiting for exit 500ms");
Thread.Sleep(500);
}
private static void Log(string text)
{
Console.WriteLine("{0:0} {1}", _timer.ElapsedMilliseconds, text);
}
When we run this code with the Set
call commented, we get this..
0 Main sleeping 100
0 ThreadPool enter, waiting 250ms...
103 Main about to close
103 Main waiting for exit 500ms
259 ThreadPool exit
When we explicitly call Set
we get this..
0 Main sleeping 100
0 ThreadPool enter, waiting 250ms...
98 Main about to close
98 ThreadPool exit
98 Main waiting for exit 500ms