19

如何**cd..**在 Windows 窗体的幕后运行命令?(即用户看不到它)

谢谢。

4

2 回答 2

22

请参阅 System.Diagnostics.Process http://msdn.microsoft.com/en-us/library/system.diagnostics.process.aspx

对于同样的问题,也有这样的答案: https ://stackoverflow.com/a/1469790/25882

例子:

System.Diagnostics.Process process = new System.Diagnostics.Process();
System.Diagnostics.ProcessStartInfo startInfo = new System.Diagnostics.ProcessStartInfo();
startInfo.WindowStyle = System.Diagnostics.ProcessWindowStyle.Hidden;
startInfo.FileName = "cmd.exe";
startInfo.Arguments = "/C copy /b Image1.jpg + Archive.rar Image2.jpg";
startInfo.Verb = "runas";
process.StartInfo = startInfo;
process.Start();
于 2012-12-10T19:09:08.263 回答
21

您可以初始化一个新的System.Diagnostics.ProcessStartInfo,其中包含您的进程启动所需的信息,WindowStyle以及指示进程启动时要使用的窗口状态,可以是Hidden、或。在您的情况下,我们将设置为这样,将启动的进程将无法接收任何输入,也无法显示来自/向用户的输出。MaximizedMinimizedNormalHidden

例子

System.Diagnostics.ProcessStartInfo myProcessInfo = new System.Diagnostics.ProcessStartInfo(); //Initializes a new ProcessStartInfo of name myProcessInfo
myProcessInfo.FileName = Environment.ExpandEnvironmentVariables("%SystemRoot%") + @"\System32\cmd.exe"; //Sets the FileName property of myProcessInfo to %SystemRoot%\System32\cmd.exe where %SystemRoot% is a system variable which is expanded using Environment.ExpandEnvironmentVariables
myProcessInfo.Arguments = "cd.."; //Sets the arguments to cd..
myProcessInfo.WindowStyle = System.Diagnostics.ProcessWindowStyle.Hidden; //Sets the WindowStyle of myProcessInfo which indicates the window state to use when the process is started to Hidden
System.Diagnostics.Process.Start(myProcessInfo); //Starts the process based on myProcessInfo

截屏

以下屏幕截图代表任务管理器,其中显示了由我们的应用程序启动的一个进程。但是,它的窗口是不可见的。

该进程正在运行而不显示其窗口

注意:即使您关闭应用程序,启动的进程也不会终止。

此外,要以管理员身份运行进程,您可以将Verb进程启动信息的属性设置为runas

例子

System.Diagnostics.ProcessStartInfo myProcessInfo = new System.Diagnostics.ProcessStartInfo(); //Initializes a new ProcessStartInfo of name myProcessInfo
myProcessInfo.FileName = Environment.ExpandEnvironmentVariables("%SystemRoot%") + @"\System32\cmd.exe"; //Sets the FileName property of myProcessInfo to %SystemRoot%\System32\cmd.exe where %SystemRoot% is a system variable which is expanded using Environment.ExpandEnvironmentVariables
myProcessInfo.Arguments = "cd.."; //Sets the arguments to cd..
myProcessInfo.WindowStyle = System.Diagnostics.ProcessWindowStyle.Hidden; //Sets the WindowStyle of myProcessInfo which indicates the window state to use when the process is started to Hidden
myProcessInfo.Verb = "runas"; //The process should start with elevated permissions
System.Diagnostics.Process.Start(myProcessInfo); //Starts the process based on myProcessInfo

注意:如果您启用了用户帐户控制,如果尝试调用此进程的应用程序未以提升的权限运行,则可能会要求您首先允许该进程以提升的权限启动。

如果您想跳过提示,我认为您应该允许您的主应用程序以提升的权限启动。为此,您需要打开应用程序的清单并确保添加了以下行

<requestedExecutionLevel level="requireAdministrator" uiAccess="false"/>

这只会告诉您的应用程序仅以提升的权限启动。因此,当您以管理员身份调用流程时,不会有任何提示,因为流程调用者是在管理员下执行的。

谢谢,
我希望你觉得这有帮助:)

于 2012-12-10T19:34:11.617 回答