尝试执行多个命令时出现错误
本文关键字:错误 命令 执行 | 更新日期: 2023-09-27 18:04:12
该项目为各种目的对命令行进行了许多不同的调用。为了简化这个过程,我编写了一个方法,它只要求一个人将命令作为参数输入:
public string AsyncCommandCall(string sCommand, List<string> lOutput, int timeout)
{
if (!sCommand.ToLower().Substring(0, 5).Contains("/k"))
sCommand = "/k " + sCommand;
using(Process process = new Process())
{
ProcessStartInfo startInfo = new ProcessStartInfo();
startInfo.FileName = "cmd.exe";
startInfo.RedirectStandardOutput = true;
startInfo.RedirectStandardError = true;
startInfo.UseShellExecute = false;
startInfo.Arguments = sCommand;
startInfo.CreateNoWindow = true;
process.StartInfo = startInfo;
List<string> output = new List<string>();
List<string> error = new List<string>();
using(AutoResetEvent outputWaitHandle = new AutoResetEvent(false))
using(AutoResetEvent errorWaitHandle = new AutoResetEvent(false))
{
process.OutputDataReceived += (sender, e) =>
{
if (e.Data == null)
{
outputWaitHandle.Set();
}
else
{
if(!String.IsNullOrEmpty(e.Data))
output.Add(e.Data);
}
};
process.ErrorDataReceived += (sender, e) =>
{
if(e.Data == null)
{
errorWaitHandle.Set();
}
else
{
output.Add(e.Data);
}
};
process.Start();
process.BeginErrorReadLine();
process.BeginOutputReadLine();
if(process.WaitForExit(timeout) && outputWaitHandle.WaitOne(timeout) && errorWaitHandle.WaitOne(timeout))
{
m_sCmdOutput.Clear();
m_sCmdError.Clear();
m_sCmdOutput.AddRange(output);
m_sCmdError.AddRange(error);
if(lOutput != null)
{
lOutput.AddRange(output);
}
return AggregateList(output);
}
else
{
process.Close();
//a time out doens't necessarily mean that stuff didn't happen, it's likely that it didn't process.
if(error.Count > 0)
{
m_sCmdError.Clear();
m_sCmdError.AddRange(error);
}
Debug("Thread time out for " + sCommand);
if (output.Count > 0)
{
m_sCmdOutput.Clear();
m_sCmdOutput.AddRange(output);
if (lOutput != null)
{
lOutput.AddRange(output);
}
return (AggregateList(output));
}
else
{
Debug("Returning null");
return null;
}
}
}
}
}
我异步调用它的原因是我调用的一些命令不能保证工作,所以理想情况下,如果超时,我可以再试一次。
当运行我的程序时,我注意到一个命令,"time/t"总是会超时。为了进行调查,我尝试在程序的主循环中独立运行代码,令人惊讶的是,它运行了。
我很好奇为什么这个完全相同的命令在一个地方执行,而不能在另一个地方运行。我运行了另一个测试,将命令调用放入while循环中,并很快发现命令调用在恰好调用4个AsyncCommandCall方法后停止了预期的工作。回顾我的代码,在我调用"time/t"之前,正好有4个命令调用。我想知道如果这是一个bug在api或者如果我做了其他错误
在任何人提出建议之前,我还应该注意到我确实编写了一个同步命令调用方法,该方法不包含"using"语句,但是运行它会导致挂起"process.WaitForExit()"。如有任何帮助,我将不胜感激。
编辑
我在测试期间注意到,如果我增加作为参数传递的超时,成功调用的迭代就会更多。是否存在某种可以清除的缓冲区,以便进程时间不会随着每次调用而增加?
事实证明,这个问题取决于该方法添加到每个命令调用中的/k
参数。/k
标志告诉控制台保持输出打开,导致使用这种异步方法的一致超时、阻塞系统内存和阻止process.WaitForExit()
返回。相反,我现在在每个命令调用之前使用/c
标志,并成功地从每个命令读取输出。在对三个命令(一个echo
,一个dir
和一个psexec
)进行连续循环调用AsyncCommandCall(command, null, 100)
1000次时,有0个超时和0个读取失败。