我有一个应用程序
Process.Start()
启动另一个应用程序'ABC'。我想要等到应用程序结束(进程死亡)并继续执行。我该怎么做呢?
可能同时运行应用程序'ABC'的多个实例。
我有一个应用程序
Process.Start()
启动另一个应用程序'ABC'。我想要等到应用程序结束(进程死亡)并继续执行。我该怎么做呢?
可能同时运行应用程序'ABC'的多个实例。
当前回答
就像乔恩·斯基特说的,使用这个过程。退出:
proc.StartInfo.FileName = exportPath + @"\" + fileExe;
proc.Exited += new EventHandler(myProcess_Exited);
proc.Start();
inProcess = true;
while (inProcess)
{
proc.Refresh();
System.Threading.Thread.Sleep(10);
if (proc.HasExited)
{
inProcess = false;
}
}
private void myProcess_Exited(object sender, System.EventArgs e)
{
inProcess = false;
Console.WriteLine("Exit time: {0}\r\n" +
"Exit code: {1}\r\n", proc.ExitTime, proc.ExitCode);
}
其他回答
我认为你只想要这个:
var process = Process.Start(...);
process.WaitForExit();
该方法请参见MSDN页面。它还有一个重载,您可以指定超时,因此您可能不会永远等待。
就像乔恩·斯基特说的,使用这个过程。退出:
proc.StartInfo.FileName = exportPath + @"\" + fileExe;
proc.Exited += new EventHandler(myProcess_Exited);
proc.Start();
inProcess = true;
while (inProcess)
{
proc.Refresh();
System.Threading.Thread.Sleep(10);
if (proc.HasExited)
{
inProcess = false;
}
}
private void myProcess_Exited(object sender, System.EventArgs e)
{
inProcess = false;
Console.WriteLine("Exit time: {0}\r\n" +
"Exit code: {1}\r\n", proc.ExitTime, proc.ExitCode);
}
你可以使用wait for exit或者你可以捕获HasExited属性并更新你的UI来让用户“被告知”(期望管理):
System.Diagnostics.Process process = System.Diagnostics.Process.Start("cmd.exe");
while (!process.HasExited)
{
//update UI
}
//done
参考微软的例子: (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}");
}
试试这个:
string command = "...";
var process = Process.Start(command);
process.WaitForExit();