我正在尝试从我的应用程序内部运行几个外部应用程序。假设我想运行一个名为 LongtimeRun.exe 的应用程序 10 次,每次运行此应用程序,大约需要 30 秒才能完成(总时间为 300 秒或 5 分钟!)。我还想给用户一些进度指示(例如应用程序运行了多少次)。
我可以创建一个批处理文件并在那里运行 LongTimeRun.exe 10 次,但是我无法显示任何进度报告。
我有这个有效的代码:
using System.Diagnostics;
using System.IO;
public class CommandProcessor
{
private readonly string binDirectory;
private readonly string workingDirectory;
public CommandProcessor(string workingDirectory, string binFolderName)
{
binDirectory = Path.Combine(FileSystem.ApplicationDirectory, binFolderName);
this.workingDirectory = workingDirectory;
}
public int RunCommand(string command, string argbase, params string[] args)
{
var commandPath = Path.Combine(binDirectory, command);
var formattedArgumets = string.Format(argbase, args);
var myProcess = new Process();
myProcess.EnableRaisingEvents = false;
myProcess.StartInfo.FileName = commandPath;
myProcess.StartInfo.Arguments = formattedArgumets;
myProcess.StartInfo.WindowStyle = ProcessWindowStyle.Hidden;
myProcess.StartInfo.WorkingDirectory = this.workingDirectory;
myProcess.Start();
myProcess.WaitForExit();
}
}
当我以这种方式调用它时:
private void RunCommands()
{
var command = "LongRunCommand.exe";
string binDirectory = Path.Combine(FileSystem.ApplicationDirectory, binFolderName);
var cp = new CommandProcessor(this.workingDirectory, binDirectory);
for(int i=0;i<10;i++)
{
cp.RunCommand(Command, "-i {0}", i);
}
}
上面的代码作为直接调用的一部分被调用并阻塞了应用程序(应用程序似乎在此过程中挂起。
为了解决挂起问题,我使用了一个后台工作者,如下所示:
var worker = new BackgroundWorker();
worker.DoWork += this.WorkerDoWork;
worker.RunWorkerCompleted += this.workerRunWorkerCompleted;
worker.RunWorkerAsync();
并在 WorkerDoWork 中调用 runcommand。
现在应用程序在调用此行后退出:
myProcess.WaitForExit();
没有调试信息,退出代码为 -1。
问题是什么,如何解决?
有没有更好的方法可以在不使用 BackgroundWorker 的情况下实现我的目标?