来自 C# 的命令提示符卡住了
本文关键字:命令提示符 来自 | 更新日期: 2023-09-27 18:35:27
前几天我问过这个问题,但我既没有答案,也无法让它发挥作用。所以我试图把它瘦下来,因为问题中有很多噪音。
问题是,如果我在 Web api 中向运行 cmd 的方法公开 a all.exe如果我每个请求不调用它两次,它可以正常工作。
我的意思是,这段代码工作正常:
public class FilesController : ApiController
{
private readonly IRunner _runner;
public FilesController(IRunner runner)
{
_runner = runner;
}
public string Get()
{
return _runner.GetFiles();
}
}
public class Runner : IRunner
{
public Runner()
{
//var cd = @"cd C:'DummyFolder";
//RunCmdPromptCommand(cd);
}
public string GetFiles()
{
var dir = @"cd C:'DummyFolder & dir";
//var dir = "dir";
return RunCmdPromptCommand(dir);
}
private string RunCmdPromptCommand(string command)
{
var process = new Process
{
StartInfo =
{
UseShellExecute = false,
CreateNoWindow = true,
WindowStyle = ProcessWindowStyle.Hidden,
RedirectStandardError = true,
RedirectStandardOutput = true,
FileName = @"cmd.exe",
Arguments = string.Format("/C {0}", command)
}
};
process.Start();
var error = process.StandardError.ReadToEnd();
if (!string.IsNullOrEmpty(error))
{
throw new Exception(error);
}
var output = process.StandardOutput.ReadToEnd();
process.WaitForExit();
return output;
}
}
但是,如果我取消注释注释的行(并且显然注释掉GetFiles
的第一行,当代码第二次到达(即带有"dir")时,RunCmdPromptCommand
它就会卡在它试图读取标准错误的行中。
为什么,我不知道如何在可能发生时强制退出(可能是可能发生的其他情况)
谢谢
这是因为
:
process.StandardOutput.ReadToEnd();
是同步操作。
摘自MSDN:
重定向的标准错误流可以同步读取或 异步。Read、ReadLine 和 ReadToEnd 等方法执行 对进程的错误输出流执行同步读取操作。 这些同步读取操作直到关联的 进程写入其标准错误流,或关闭流。
换句话说,只要进程没有写入任何标准错误或关闭流,它就会永远卡在那里。
为了解决这个问题,我建议使用Async BeginErrorReadLine。摘自MSDN:
相反,BeginErrorReadLine 在 上启动异步读取操作 标准错误流。此方法启用指定事件 流输出的处理程序,并立即返回到调用方, 它可以在流输出定向到事件处理程序时执行其他工作。
我认为这将适合您的需求。
MSDN中给出的示例非常简单。特别看看这些行:
netProcess.ErrorDataReceived += new DataReceivedEventHandler(NetErrorDataHandler); //note this event handler add
if (errorRedirect) //in your case, it is not needed
{
// Start the asynchronous read of the standard
// error stream.
netProcess.BeginErrorReadLine(); //note this
}
以及如何定义事件处理程序:
private static void NetErrorDataHandler(object sendingProcess,
DataReceivedEventArgs errLine)
{
// Write the error text to the file if there is something
// to write and an error file has been specified.
if (!String.IsNullOrEmpty(errLine.Data))
{
if (!errorsWritten)
{
if (streamError == null)
{
// Open the file.
try
{
streamError = new StreamWriter(netErrorFile, true);
}
catch (Exception e)
{
Console.WriteLine("Could not open error file!");
Console.WriteLine(e.Message.ToString());
}
}
if (streamError != null)
{
// Write a header to the file if this is the first
// call to the error output handler.
streamError.WriteLine();
streamError.WriteLine(DateTime.Now.ToString());
streamError.WriteLine("Net View error output:");
}
errorsWritten = true;
}
if (streamError != null)
{
// Write redirected errors to the file.
streamError.WriteLine(errLine.Data);
streamError.Flush();
}
}
}