如何从.NET应用程序调用控制台应用程序并捕获控制台中生成的所有输出?
(请记住,我不想先将信息保存在文件中,然后再重新列出,因为我希望能够实时接收它。)
如何从.NET应用程序调用控制台应用程序并捕获控制台中生成的所有输出?
(请记住,我不想先将信息保存在文件中,然后再重新列出,因为我希望能够实时接收它。)
Answers:
使用ProcessStartInfo.RedirectStandardOutput属性可以很容易地实现这一点。完整的示例包含在链接的MSDN文档中。唯一的警告是,您可能还必须重定向标准错误流,才能查看应用程序的所有输出。
Process compiler = new Process();
compiler.StartInfo.FileName = "csc.exe";
compiler.StartInfo.Arguments = "/r:System.dll /out:sample.exe stdstr.cs";
compiler.StartInfo.UseShellExecute = false;
compiler.StartInfo.RedirectStandardOutput = true;
compiler.Start();
Console.WriteLine(compiler.StandardOutput.ReadToEnd());
compiler.WaitForExit();
Console.Write
改用。
与@mdb接受的答案相比,这有点改进。具体来说,我们还将捕获该过程的错误输出。此外,我们通过事件捕获这些输出,因为ReadToEnd()
如果您想捕获错误和常规输出都无法使用。我花了一些时间来完成这项工作,因为它实际上也需要BeginxxxReadLine()
after之后的呼叫Start()
。
异步方式:
using System.Diagnostics;
Process process = new Process();
void LaunchProcess()
{
process.EnableRaisingEvents = true;
process.OutputDataReceived += new System.Diagnostics.DataReceivedEventHandler(process_OutputDataReceived);
process.ErrorDataReceived += new System.Diagnostics.DataReceivedEventHandler(process_ErrorDataReceived);
process.Exited += new System.EventHandler(process_Exited);
process.StartInfo.FileName = "some.exe";
process.StartInfo.Arguments = "param1 param2";
process.StartInfo.UseShellExecute = false;
process.StartInfo.RedirectStandardError = true;
process.StartInfo.RedirectStandardOutput = true;
process.Start();
process.BeginErrorReadLine();
process.BeginOutputReadLine();
//below line is optional if we want a blocking call
//process.WaitForExit();
}
void process_Exited(object sender, EventArgs e)
{
Console.WriteLine(string.Format("process exited with code {0}\n", process.ExitCode.ToString()));
}
void process_ErrorDataReceived(object sender, DataReceivedEventArgs e)
{
Console.WriteLine(e.Data + "\n");
}
void process_OutputDataReceived(object sender, DataReceivedEventArgs e)
{
Console.WriteLine(e.Data + "\n");
}
创建控制台进程时,使用ProcessInfo.RedirectStandardOutput重定向输出。
然后,您可以使用Process.StandardOutput读取程序输出。
第二个链接有一个示例代码。
ConsoleAppLauncher是专门用于回答该问题的开源库。它捕获控制台中生成的所有输出,并提供简单的界面来启动和关闭控制台应用程序。
每次控制台将新行写入标准/错误输出时,都会触发ConsoleOutput事件。这些行已排队,并保证遵循输出顺序。
也可以作为NuGet包提供。
调用示例以获取完整的控制台输出:
// Run simplest shell command and return its output.
public static string GetWindowsVersion()
{
return ConsoleApp.Run("cmd", "/c ver").Output.Trim();
}
带有实时反馈的样本:
// Run ping.exe asynchronously and return roundtrip times back to the caller in a callback
public static void PingUrl(string url, Action<string> replyHandler)
{
var regex = new Regex("(time=|Average = )(?<time>.*?ms)", RegexOptions.Compiled);
var app = new ConsoleApp("ping", url);
app.ConsoleOutput += (o, args) =>
{
var match = regex.Match(args.Line);
if (match.Success)
{
var roundtripTime = match.Groups["time"].Value;
replyHandler(roundtripTime);
}
};
app.Run();
}
我在O2平台(开放源代码项目)中添加了许多辅助方法,这些方法可让您通过控制台输出和输入轻松编写与另一个进程的交互的脚本(请参阅http://code.google.com/p/o2platform/源代码/浏览/trunk/O2_Scripts/APIs/Windows/CmdExe/CmdExeAPI.cs)
API可能也对您有用,该API允许查看当前进程的控制台输出(在现有控件或弹出窗口中)。有关更多详细信息,请参见此博客文章:http : //o2platform.wordpress.com/2011/11/26/api_consoleout-cs-inprocess-capture-of-the-console-output/(此博客还包含如何消费的详细信息新进程的控制台输出)
我制作了一个反应式版本,接受stdOut和StdErr的回调。
onStdOut
并且onStdErr
在
数据到达时(在流程退出之前)被异步调用。
public static Int32 RunProcess(String path,
String args,
Action<String> onStdOut = null,
Action<String> onStdErr = null)
{
var readStdOut = onStdOut != null;
var readStdErr = onStdErr != null;
var process = new Process
{
StartInfo =
{
FileName = path,
Arguments = args,
CreateNoWindow = true,
UseShellExecute = false,
RedirectStandardOutput = readStdOut,
RedirectStandardError = readStdErr,
}
};
process.Start();
if (readStdOut) Task.Run(() => ReadStream(process.StandardOutput, onStdOut));
if (readStdErr) Task.Run(() => ReadStream(process.StandardError, onStdErr));
process.WaitForExit();
return process.ExitCode;
}
private static void ReadStream(TextReader textReader, Action<String> callback)
{
while (true)
{
var line = textReader.ReadLine();
if (line == null)
break;
callback(line);
}
}
下面将运行executable
与args
和打印
到控制台。
RunProcess(
executable,
args,
s => { Console.ForegroundColor = ConsoleColor.White; Console.WriteLine(s); },
s => { Console.ForegroundColor = ConsoleColor.Red; Console.WriteLine(s); }
);
来自PythonTR-PythonProgramcılarıDerneği,e-kitap,örnek:
Process p = new Process(); // Create new object
p.StartInfo.UseShellExecute = false; // Do not use shell
p.StartInfo.RedirectStandardOutput = true; // Redirect output
p.StartInfo.FileName = "c:\\python26\\python.exe"; // Path of our Python compiler
p.StartInfo.Arguments = "c:\\python26\\Hello_C_Python.py"; // Path of the .py to be executed
已添加process.StartInfo.**CreateNoWindow** = true;
和timeout
。
private static void CaptureConsoleAppOutput(string exeName, string arguments, int timeoutMilliseconds, out int exitCode, out string output)
{
using (Process process = new Process())
{
process.StartInfo.FileName = exeName;
process.StartInfo.Arguments = arguments;
process.StartInfo.UseShellExecute = false;
process.StartInfo.RedirectStandardOutput = true;
process.StartInfo.CreateNoWindow = true;
process.Start();
output = process.StandardOutput.ReadToEnd();
bool exited = process.WaitForExit(timeoutMilliseconds);
if (exited)
{
exitCode = process.ExitCode;
}
else
{
exitCode = -1;
}
}
}
StandardOutput.ReadToEnd()
,直到应用程序结束,它才返回下一条语句。因此,您在WaitForExit(timeoutMilliseconds)中的超时不起作用!(您的代码将挂起!)