我有一个应用程序

Process.Start()

启动另一个应用程序'ABC'。我想要等到应用程序结束(进程死亡)并继续执行。我该怎么做呢?

可能同时运行应用程序'ABC'的多个实例。


当前回答

我认为你只想要这个:

var process = Process.Start(...);
process.WaitForExit();

该方法请参见MSDN页面。它还有一个重载,您可以指定超时,因此您可能不会永远等待。

其他回答

我有一个案例。关闭属于进程的窗口后,HasExited没有改变。所以Process.WaitForExit()也不起作用。我必须监视Process。在像这样关闭窗口后,返回为false:

while (!_process.HasExited && _process.Responding) {
  Thread.Sleep(100);
}
...

也许这对某些人有帮助。

参考微软的例子: (https://learn.microsoft.com/en - us/dotnet/api/system.diagnostics.process.enableraisingevents?view=netframework - 4.8)

最好的设置是:

myProcess.EnableRaisingEvents = true;

否则代码将被阻塞。 也不需要额外的属性。

// Start a process and raise an event when done.
myProcess.StartInfo.FileName = fileName;
// Allows to raise event when the process is finished
myProcess.EnableRaisingEvents = true;
// Eventhandler wich fires when exited
myProcess.Exited += new EventHandler(myProcess_Exited);
// Starts the process
myProcess.Start();

// Handle Exited event and display process information.
private void myProcess_Exited(object sender, System.EventArgs e)
{
Console.WriteLine(
                  $"Exit time    : {myProcess.ExitTime}\n" +
                  $"Exit code    : {myProcess.ExitCode}\n" +
                  $"Elapsed time : {elapsedTime}");
}

你可以使用wait for exit或者你可以捕获HasExited属性并更新你的UI来让用户“被告知”(期望管理):

System.Diagnostics.Process process = System.Diagnostics.Process.Start("cmd.exe");
while (!process.HasExited)
{
    //update UI
}
//done

使用Process.WaitForExit吗?或订阅进程。退出事件如果你不想阻止?如果这不能满足你的要求,请给我们更多的信息。

试试这个:

string command = "...";
var process = Process.Start(command);
process.WaitForExit();