12

在 C# 中,我正在启动一个需要 2-3 小时才能完成的第 3 方应用程序。我需要 Process 的输出实时写入控制台。我已经在 Microsoft 的网站上进行了研究,BeginOutputReadLine()RedirectStandardOutput我的代码仍然无法正常工作。

目前我的代码仅在过程完成时显示输出。我不知道它哪里出错了。

static void Main(string[] args)
{
  Process process;
  process = new Process();
  process.StartInfo.FileName = "C:\\ffmbc\\ffmbc.exe";
  process.StartInfo.Arguments = "-i \\\\dssp-isi-t\\TMD\\B002C010_130520_R2R7.2398v5.mxf -an -vcodec libx264 -level 4.1 -preset veryslow -tune film -x264opts bluray-compat=1:weightp=0:bframes=3:nal-hrd=vbr:vbv-maxrate=40000:vbv-bufsize=30000:keyint=24:b-pyramid=strict:slices=4:aud=1:colorprim=bt709:transfer=bt709:colormatrix=bt709:sar=1/1:ref=4 -b 30M -bt 30M -threads 0 -pass 1 -y \\\\dss-isi-t\\MTPO_Transfer\\dbay\\B002C010_130520_R2R7.2398v5.mxf.h264";
  process.StartInfo.UseShellExecute = false;
  process.StartInfo.CreateNoWindow = true;
  process.StartInfo.RedirectStandardOutput = true;
  process.OutputDataReceived += new DataReceivedEventHandler(OutputHandler);
  process.StartInfo.RedirectStandardInput = true;
  process.Start();
  process.BeginOutputReadLine();
  process.WaitForExit();
  process.Close();
}

private static void OutputHandler(object sendingProcess, DataReceivedEventArgs outLine)
{
  string line;
  line = (outLine.Data.ToString());
  Console.WriteLine(line);
}
4

2 回答 2

7

类似于我之前回答的问题,甚至可能是重复的。请参阅:将流通过管道传输到 Debug.Write()

这是我的答案(稍作修改):

process.StartInfo.UseShellExecute = false; 
process.StartInfo.RedirectStandardOutput = true;
process.OutputDataReceived += p_OutputDataReceived;
process.Start();
process.BeginOutputReadLine();

然后,您的事件处理程序用于接收数据。

void p_OutputDataReceived(object sender, DataReceivedEventArgs e)
{
    Console.Write(e.Data);
}

基本上,您只需要取消 WaitForExit(),因为这会使您的程序挂起,直到进程完成。

于 2013-07-10T20:12:09.643 回答
6

线

process.WaitForExit();

将导致当前程序等待给定进程完成。这肯定不是你想要的。您可能想要启动该过程,让它异步运行,然后让它告诉您何时完成。为此,您将需要使用该process.Exited事件。

于 2013-07-10T20:08:07.783 回答