首先,我已经阅读了所有相关主题,他们给出了一般性的想法,但实现对我不起作用:
将字符串从一个控制台应用程序发送到另一个
如何将输入发送到控制台,就像用户正在打字一样?
从控制台应用程序(C#/WinForms)发送输入/获取输出
我有一个控制台应用程序在后台执行一些操作,直到请求取消。典型的使用场景是:
1)执行应用程序
2)输入输入数据
3)发出启动命令
4)一段时间后输入停止命令
5)退出应用程序
子应用程序Program.cs
:
static void Main()
{
Console.WriteLine("Enter input parameter : ");
var inputParameter = Console.ReadLine();
Console.WriteLine("Entered : " + inputParameter);
var tokenSource = new CancellationTokenSource();
var token = tokenSource.Token;
Task.Factory.StartNew(() =>
{
while (true)
{
if (token.IsCancellationRequested)
{
Console.WriteLine("Stopping actions");
return;
}
// Simulating some actions
Console.Write("*");
}
}, token);
if (Console.ReadKey().KeyChar == 'c')
{
tokenSource.Cancel();
Console.WriteLine("Stop command");
}
Console.WriteLine("Finished");
Console.ReadLine();
}
我正在寻找的是某种主机实用程序来控制此应用程序 - 生成多个实例并在每个实例上执行所需的用户操作。主机应用程序Program.cs
:
static void Main()
{
const string exe = "Child.exe";
var exePath = System.IO.Path.GetFullPath(exe);
var startInfo = new ProcessStartInfo(exePath)
{
RedirectStandardOutput = true,
RedirectStandardInput = true,
WindowStyle = ProcessWindowStyle.Hidden,
WindowStyle = ProcessWindowStyle.Maximized,
CreateNoWindow = true,
UseShellExecute = false
};
var childProcess = new Process { StartInfo = startInfo };
childProcess.OutputDataReceived += readProcess_OutputDataReceived;
childProcess.Start();
childProcess.BeginOutputReadLine();
Console.WriteLine("Waiting 5s for child process to start...");
Thread.Sleep(5000);
Console.WriteLine("Enter input");
var msg = Console.ReadLine();
// Sending input parameter
childProcess.StandardInput.WriteLine(msg);
// Sending start command aka any key
childProcess.StandardInput.Write("s");
// Wait 5s while child application is working
Thread.Sleep(5000);
// Issue stop command
childProcess.StandardInput.Write("c");
// Wait for child application to stop
Thread.Sleep(20000);
childProcess.WaitForExit();
Console.WriteLine("Batch finished");
Console.ReadLine();
}
当我运行此工具时,在第一次输入后它会因“已停止工作”错误而崩溃,并提示将内存转储发送给 Microsoft。VS 中的输出窗口没有显示异常。
猜猜这个问题发生在应用程序之间的某个地方,可能是因为输出流缓冲区溢出(子应用程序每秒写入很多星星,这模仿了可能很大的真实输出),但我不知道如何解决它。我真的不需要将孩子的输出传递给主机(只向孩子发送启动-停止命令),但是评论 RedirectStandardOutput 和 OutputDataReceived 并不能解决这个问题。任何想法如何使这项工作?