从.NET应用程序(C#)捕获控制台输出


130

如何从.NET应用程序调用控制台应用程序并捕获控制台中生成的所有输出?

(请记住,我不想先将信息保存在文件中,然后再重新列出,因为我希望能够实时接收它。)



请查看两个问题的日期,看看哪个是“重复的”
Gripsoft

“可能重复”是一种清理方法-关闭类似的问题,并为他们提供最佳答案。日期不是必需的。请参阅我是否应该投票关闭重复的问题,即使它是一个新问题,并且具有最新的答案?如果您同意需要澄清,请在“可能重复的”自动注释的“添加澄清”链接上进行
Michael Freidgeim

Answers:


163

使用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();

3
如果您不希望在末尾添加新行,请Console.Write改用。
tm1

2
应该注意的是,如果将ReadToEnd()与具有提示用户输入功能的控制台应用程序结合使用。例如:覆盖文件:是还是否?等ReadReadEnd可能会导致内存泄漏,因为在等待用户输入时该过程永远不会退出。捕获输出的更安全方法是使用process.OutputDataReceived事件处理程序,然后让进程将接收到的输出通知您的应用程序。
巴里奥斯

如果在将代码部署到Azure Web应用程序的情况下如何捕获,因为editor.StartInfo.FileName =“ csc.exe”; 可能不存在!
Asif Iqbal

如果在将代码部署到Azure Web应用程序的情况下如何捕获,因为editor.StartInfo.FileName =“ csc.exe”; 可能不存在!
Asif Iqbal

37

@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");
}

5
谢谢,多年来一直在寻找这个!
C Bauer

3
谢谢。太棒了。
DrFloyd5

您将在我的申请的感谢名单中获得荣誉。
marsh-wiggle


7

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();
}

2

我在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/(此博客还包含如何消费的详细信息新进程的控制台输出)


从那时起,我增加了对使用ConsoleOut的支持(在这种情况下,如果您启动自己的.NET进程)。看一下:如何在C#REPL中使用控制台输出将“控制台输出”作为本机窗口添加到VisualStudio IDE中查看在UserControls中创建的“控制台输出”消息
Dinis Cruz

2

我制作了一个反应式版本,接受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);
        }
    }


用法示例

下面将运行executableargs和打印

  • 白色标准输出
  • 红色的stdErr

到控制台。

RunProcess(
    executable,
    args,
    s => { Console.ForegroundColor = ConsoleColor.White; Console.WriteLine(s); },
    s => { Console.ForegroundColor = ConsoleColor.Red;   Console.WriteLine(s); } 
);

1

来自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

1

已添加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)中的超时不起作用!(您的代码将挂起!)
S.Serpooshan
By using our site, you acknowledge that you have read and understand our Cookie Policy and Privacy Policy.
Licensed under cc by-sa 3.0 with attribution required.