0

我看到几个关于如何启动进程并将数据推送到标准输入的问题,但没有看到如何控制它们的输出去向。

首先是我当前的代码,从控制台模式 C# 应用程序运行:

    // Prepare the process to run
    ProcessStartInfo start = new ProcessStartInfo();
    // Enter in the command line arguments, everything you would enter after the executable name itself
    start.Arguments = " -";
    // Enter the executable to run, including the complete path
    start.FileName = "doxygen.exe";
    // Do you want to show a console window?
    start.WindowStyle = ProcessWindowStyle.Normal;
    start.CreateNoWindow = false;
    start.RedirectStandardInput = true;
    start.UseShellExecute = false;

    // Run the external process & wait for it to finish
    using (Process proc = Process.Start(start))
    {
        //doxygenProperties is just a dictionary
        foreach (string key in doxygenProperties.Keys)
            proc.StandardInput.WriteLine(key+" = "+doxygenProperties[key]);
        proc.StandardInput.Close();
        proc.WaitForExit();

        // Retrieve the app's exit code
        int exitCode = proc.ExitCode;
    }

当我运行它时会发生什么,我没有看到任何新窗口(虽然我认为我应该)并且所有 doxygen.exe 的标准输出都打印到我的应用程序的控制台窗口。

我想要发生的是两件事之一:

  1. Doxygen 在可见窗口中启动,我可以在该窗口中看到它的标准输出,而不是在我的应用程序窗口中。
  2. Doxygen 在隐藏窗口中启动,它的标准输出被写入日志文件。

我怎样才能实现这些?

此外,为什么我没有为生成的进程获得一个单独的窗口,为什么生成的进程将输出写入我的窗口不是它自己的?

4

2 回答 2

2

您可以做的一件事是使用RedirectStandardOutput,而不是使用,WaitForExit您可以使用ReadToEnd

ProcessStartInfo start = new ProcessStartInfo();
start.RedirectStandardOutput = true;

//make other adjustments to start

Process p = new Process();
p.StartInfo = start;
p.Start();
string output = p.StandardOutput.ReadToEnd();

然后您可以string output在闲暇时使用


如果您想实时获取输出,该p.StandardOutput属性具有允许您异步获取输出的方法。我不知道它的所有细节,我以前只用过一次,但是如果你搜索它,那里有很多文献。


同时重定向时也要小心StandardOutputStandardError如果它们足够长,可能会导致死锁。

于 2013-01-10T18:52:43.557 回答
0

你需要做两件事:

1) 通过在流程中将RedirectStandardOuput属性设置为 true,表明您希望将流程的标准输出定向到您的应用程序。

2)在调用之前WaitForExit,开始捕获输出:

string sOutput = p.StandardOutput.ReadToEnd();

如果在调用 wait for exit 之前没有开始读取输出,则可能会遇到死锁。

但是,重要的是要知道标准输出只会捕获输出信息,而不是写入应用程序的标准错误流的任何内容。

为了捕获这两个信息流,您可以挂钩流程的OutputDataReceivedErrorDataReceived事件,并将事件数据直接写入日志文件或将其存储在类属性中以供流程完成后使用。

于 2013-01-10T19:03:08.213 回答