将输出从c#winforms应用程序写入控制台
本文关键字:控制台 应用程序 c#winforms 输出 | 更新日期: 2023-09-27 17:50:58
可能重复:
如何在窗体应用程序中显示控制台输出/窗口?
有没有办法让c#winforms程序写入控制台窗口?
这里基本上可以发生两件事。
- 控制台输出
winforms程序可以将自己附加到创建它的控制台窗口(或者附加到不同的控制台窗口,或者如果需要,甚至附加到新的控制台窗口(。连接到控制台窗口后,console.WriteLine((等将按预期工作。这种方法的一个诀窍是,程序立即将控制权返回到控制台窗口,然后继续对其进行写入,因此用户也可以在控制台窗口中键入away。我认为您可以使用start-wait参数来处理这个问题。
启动命令和语法
- 重定向的控制台输出
这是指有人将你程序的输出通过管道传输到其他地方,例如
您的应用程序>file.txt
在这种情况下,连接到控制台窗口实际上会忽略管道。为了实现这一点,你可以调用Console.OpenStandardOutput((来获取输出应该通过管道传输到的流的句柄。只有当输出是管道传输的时,这才有效,所以如果你想处理这两种情况,你需要打开标准输出并写入它并附加到控制台窗口。这确实意味着输出被发送到控制台窗口和到管道,但这是我能找到的最好的解决方案。下面是我用来做这件事的代码。
// This always writes to the parent console window and also to a redirected stdout if there is one.
// It would be better to do the relevant thing (eg write to the redirected file if there is one, otherwise
// write to the console) but it doesn't seem possible.
public class GUIConsoleWriter : IConsoleWriter
{
[System.Runtime.InteropServices.DllImport("kernel32.dll")]
private static extern bool AttachConsole(int dwProcessId);
private const int ATTACH_PARENT_PROCESS = -1;
StreamWriter _stdOutWriter;
// this must be called early in the program
public GUIConsoleWriter()
{
// this needs to happen before attachconsole.
// If the output is not redirected we still get a valid stream but it doesn't appear to write anywhere
// I guess it probably does write somewhere, but nowhere I can find out about
var stdout = Console.OpenStandardOutput();
_stdOutWriter = new StreamWriter(stdout);
_stdOutWriter.AutoFlush = true;
AttachConsole(ATTACH_PARENT_PROCESS);
}
public void WriteLine(string line)
{
_stdOutWriter.WriteLine(line);
Console.WriteLine(line);
}
}