AutoResetEvent不起作用

时间:2015-01-21 08:37:31

标签: c# autoresetevent

我的代码如下所示:

 static AutoResetEvent wait_till_finish = new AutoResetEvent(false);

...if (File.Exists("try.exe"))
                {
                    Thread quartus_thread = new Thread(() => qar_function(@"\quartus");
                    quartus_thread.Start();
                    wait_till_finish.WaitOne();
    // ONLY after command mode action was finished, and AutoResetEvent is set, lookfor some file in folder
                    if (File.Exists("def")) {//do something}
                }

后来:

public void qar_function(string abc)
    { //does something...
            ProcessStartInfo procStartInfo = new ProcessStartInfo("cmd", "/k " + String.Join(" ", args));
            procStartInfo.RedirectStandardOutput = true;
            procStartInfo.RedirectStandardError = true;
            procStartInfo.UseShellExecute = false;
            procStartInfo.CreateNoWindow = false;
            Process proc = new Process();
            proc.StartInfo = procStartInfo;
            proc.Start();
          // ***** now set AutoResetEvent:
            wait_till_finish.set();

我的问题如下:

我有`wait_till_finish.WaitOne()'在一种方法中,它处于等待状态我调用Qar_Function方法之后,所以首先我要调用该方法,然后我要等到方法执行完毕,然后在里面在qar_function方法中,我设置了AutoReset。

它不起作用。

我正在使用调试器,而不是等待WaitOne,它只是继续移动到下一行。

我做错了什么? 谢谢。

1 个答案:

答案 0 :(得分:3)

有两种方法可以等待进程退出。一个是同步的,另一个是异步的。

如果您更喜欢同步使用Process.WaitForExit,请使用Process.Exited事件。

因此,在致电process.Start后,您可以致电process.WaitForExit等待其完成。

对我来说,看起来你只是创建新线程并启动进程并计划等待它 - 同时另一个线程正在等待这个线程。所有这些看起来都是低效的资源使用。您可以避免创建新线程,只是内联进程创建并在调用线程本身中等待它。在这种情况下,您甚至不需要AutoResetEvent

此时您的代码变为:

if (File.Exists("try.exe"))
{
    ProcessStartInfo procStartInfo = new ProcessStartInfo("cmd", "/k " + String.Join(" ", args));
    procStartInfo.RedirectStandardOutput = true;
    procStartInfo.RedirectStandardError = true;
    procStartInfo.UseShellExecute = false;
    procStartInfo.CreateNoWindow = false;
    Process proc = new Process();
    proc.StartInfo = procStartInfo;
    proc.Start();
    proc.WaitForExit();

    //At this point the process you started is done.
    if (File.Exists("def")) 
    {
       //do something
    }
}