C#3.5 Winforms app。
我有一个计时器,它在单独的线程上每30秒触发一次(它只是将一串文本写入VS输出窗口)。
我还有另一个线程,如果它启动,它会等待某个进程结束。例如winword.exe。
在那个帖子中我有这段代码:
p.WaitForExit();
它会坐在那里等待winword.exe
退出。这很好。
然而,当它坐在那里等待winword.exe
退出时,一个完全独立的线程(将文本发送到输出窗口)上的30秒计时器永远不会运行。
如果我等待3分钟(所以另一个计时器此时应该运行6次,但是WaitForExit()
等待时却没有),然后我退出winword.exe
;我的其他计时器一下子开始运行6次。就像有一个积压的计时器事件,突然间.Net想要同时运行它。
为什么p.WaitForExit()
似乎阻止了我的整个应用程序,即使我从我的应用程序中的一个单独的线程执行它(而不是主UI线程)?
编辑:是的,它在一个单独的线程中。这是我用来启动它的代码:
try
{
Thread t = new Thread(ProcessCheck); // Kick off a new thread
t.Start();
ConfigLogger.Instance.LogInfo("++ ProcessCheck thread started @ " + DateTime.Now);
}
catch (Exception ipwse)
{
ConfigLogger.Instance.LogInfo(ipwse.Message + " " + ipwse.StackTrace);
}
这是我的ProcessCheck()方法:
foreach (Process p in System.Diagnostics.Process.GetProcessesByName("winword"))
{
this.Invoke(new MethodInvoker(delegate()
{
try
{
p.WaitForExit();
}
catch (Exception)
{
}
}));
}
答案 0 :(得分:5)
this.Invoke
,如果从WinForms表单完成,将阻止UI线程,直到进程退出。如果Timer是System.Windows.Forms.Timer,则会在UI线程上引发Tick事件。如果UI线程被阻止,这将解释为什么永远不会引发Tick事件。
答案 1 :(得分:0)
我不确定,因为只要您正在进行线程处理,以下程序就会显示您所做的工作。
static void Main(string[] args)
{
BackgroundWorker shortThread = new BackgroundWorker(), waitThread = new BackgroundWorker();
shortThread.WorkerSupportsCancellation = true;
shortThread.DoWork += (s, e) =>
{
while (true)
{
if (shortThread.CancellationPending)
{
break;
}
Console.WriteLine("Hello World...");
Thread.Sleep(2000);
}
};
waitThread.WorkerSupportsCancellation = true;
waitThread.DoWork += (s, e) => { Process.Start("winword.exe").WaitForExit(); };
shortThread.RunWorkerAsync();
waitThread.RunWorkerAsync();
Console.ReadLine();
shortThread.CancelAsync();
waitThread.CancelAsync();
}
所以,在我看来,你是在主线程上发出WaitForExit()
而不是单独的线程。