在我的代码中,我需要运行很多cmd命令。所有这些都必须隐藏起来。作为一个例子,我将向您展示2个命令的代码。
string cmdText = @"/c regsvr32 vbscript.dll";
System.Diagnostics.Process temp = new System.Diagnostics.Process();
temp.StartInfo.Arguments = cmdText;
temp.StartInfo.WindowStyle = System.Diagnostics.ProcessWindowStyle.Hidden;
temp.StartInfo.FileName = "cmd.exe";
temp.EnableRaisingEvents = true;
temp.Start();
temp.WaitForExit();
cmdText = @"/c regsvr32 jscript.dll";
temp.StartInfo.Arguments = cmdText;
temp.Start();
temp.WaitForExit();
现在的问题是某些命令(例如gpupdate /force
)需要输入(例如“Y / N”)。如何将此输入提供给cmd?
答案 0 :(得分:0)
您需要读取程序的输出并处理它/将所需的输入写回过程。 为此,您还需要设置Process / ProcessStartInfo的更多属性:
string cmdText = @"/c regsvr32 vbscript.dll";
System.Diagnostics.Process temp = new System.Diagnostics.Process();
temp.StartInfo.WindowStyle = System.Diagnostics.ProcessWindowStyle.Hidden;
temp.StartInfo.CreateNoWindow = true;
temp.StartInfo.Arguments = cmdText;
temp.StartInfo.FileName = "cmd.exe";
temp.StartInfo.RedirectStandardOutput=true;
temp.StartInfo.RedirectStandardInput=true;
temp.StartInfo.UseShellExecute=false;
temp.Start();
// Read program's output
StringBuilder sb = new StringBuilder();
while (!temp.StandardOutput.EndOfStream)
{
char[] buffer = new char[1024];
temp.StandardOutput.Read(buffer, 0, buffer.Length);
sb.Append(buffer);
// Check output string and write something back if needed
if (sb.ToString().Contains("(Yes/No"))
{
temp.StandardInput.WriteLine("Y");
sb.Clear();
}
}
temp.WaitForExit();
答案 1 :(得分:0)
没错,答案很简单。要使用提示成功启动silent cmd命令,我使用了以下添加内容(示例适用于gpupdate /force
)
string cmdText = @"/c echo n | gpupdate /force";
System.Diagnostics.Process temp = new System.Diagnostics.Process();
temp.StartInfo.Arguments = cmdText;
temp.StartInfo.WindowStyle = System.Diagnostics.ProcessWindowStyle.Hidden;
temp.StartInfo.CreateNoWindow = true;
temp.StartInfo.FileName = "cmd.exe";
temp.EnableRaisingEvents = true;
temp.Start();
temp.WaitForExit();
答案来自here。感谢Stephan Bauer正确的方向
据我所知,echo n
只是为了提示而写n。它会起作用。