2

我有一个应用程序必须读取它自己的输出,该输出是通过

Console.WriteLine("blah blah");

我正在努力

Process p = Process.GetCurrentProcess();
StreamReader input = p.StandardOutput;
input.ReadLine();

但由于第二行的“InvalidOperationException”,它不起作用。它说类似“StandardOutput 没有被重定向,或者进程还没有开始”(翻译)

我如何阅读自己的输出?还有另一种方法吗?并且要完整如何编写我自己的输入?

具有输出的应用程序已经在运行。

我想在同一个应用程序中实时读取它的输出。没有第二个应用程序。只有一个。

4

1 回答 1

6

我只是猜测你的意图可能是什么,但如果你想从你启动的应用程序中读取输出,你可以重定向输出。

 // Start the child process.
 Process p = new Process();
 // Redirect the output stream of the child process.
 p.StartInfo.UseShellExecute = false;
 p.StartInfo.RedirectStandardOutput = true;
 p.StartInfo.FileName = "Write500Lines.exe";
 p.Start();
 // Do not wait for the child process to exit before
 // reading to the end of its redirected stream.
 // p.WaitForExit();
 // Read the output stream first and then wait.
 string output = p.StandardOutput.ReadToEnd();
 p.WaitForExit();

来自http://msdn.microsoft.com/en-us/library/system.diagnostics.process.standardoutput.aspx的示例

编辑:

如果您想按照您的编辑指定重定向当前控制台应用程序的输出,您可以使用。

private static void Main(string[] args)
{
    StringWriter writer = new StringWriter();
    Console.SetOut(writer);
    Console.WriteLine("hello world");

    StringReader reader = new StringReader(writer.ToString());
    string str = reader.ReadToEnd();
}
于 2013-01-07T09:10:57.763 回答