我正在尝试从我的应用程序中运行几个外部应用程序。假设我想运行一个名为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?
答案 0 :(得分:0)
您遇到的问题是因为您的BackgroundWorker
线程仍在运行,但您的应用程序完成其生命周期并结束(它没有被它们阻止,因此它的路径可以清除结束)因此杀死这些线程
当后台线程仍在运行时,您需要通知应用程序 NOT 退出。你可以有一个计数器,当每个线程启动时递增,然后当它们完成时,它们可以递减计数器。
在主应用程序线程中,您可以等到计数器达到零,然后再结束应用程序。
显然你需要考虑锁定(即两个线程试图同时减少计数器),但这应该给你一个启动器。