我在C#中有一个简单的控制台应用程序,它创建一个计时器来向控制台写入文本。然后它等待用户按下一个键。
如果用户在五秒钟之前按下一个键,则应用程序结束,并且计时器永远不会触发。如果用户没有按任何键,则计时器将按预期触发。
为什么计时器创建的线程不会阻止应用程序终止?即使用户按下某个键,我应该如何确保应用程序继续运行?
static void Main(string[] args)
{
System.Timers.Timer timer = new System.Timers.Timer(5000);
timer.Interval = 5000; // 5 seconds
timer.Elapsed += new System.Timers.ElapsedEventHandler(timer_Elapsed);
timer.Enabled = true;
timer.AutoReset = true;
timer.Start();
Console.ReadKey();
}
public static void timer_Elapsed(object sender, System.Timers.ElapsedEventArgs e)
{
Console.WriteLine("Timer Fired.");
}
答案 0 :(得分:5)
要使定时器消息始终写出,您可以让主线程在reset event等待定时器被触发后发出信号。
static ManualResetEvent timerFired = new ManualResetEvent(false);
static void Main(string[] args)
{
System.Timers.Timer timer = new System.Timers.Timer(5000);
timer.Interval = 5000; // 5 seconds
timer.Elapsed += new System.Timers.ElapsedEventHandler(timer_Elapsed);
timer.Enabled = true;
timer.AutoReset = true;
timer.Start();
Console.ReadKey();
// This call will return only after timerFired.Set() is
// called. So, if the user hits a key before the timer is
// fired, this will block for a little bit, until the timer fires.
// Otherwise, it will return immediately
timerFired.WaitOne();
}
public static void timer_Elapsed(object sender, System.Timers.ElapsedEventArgs e)
{
Console.WriteLine("Timer Fired.");
timerFired.Set();
}
至于另一个问题,为什么它不会阻止申请退出,我会采取措施。从后台线程调用timer_Elapsed()
。根据MSDN,后台线程不会保持执行环境的运行。这里有nice discussion。
ThreadPool线程是后台线程,MSDN Timer文档表明在ThreadPool线程上引发了Timer Elapsed event,因此应用程序不会等待它不是前台线程。