1using System.Diagnostics;
2
3private void runincmd(string yourcommand)
4{
5string strCmdText;
6strCmdText = $"/C {yourcommand}";
7Process.Start("CMD.exe", strCmdText);
8}
Process.Start(string 程序, string 参数);
程序最好是有完整的地址,如果不需要传入参数的话可以只传入一个参数。
上面这个语句启动一个程序并且可以附带一些参数,本质上是把要执行的命令作为windows cmd 的参数传入了,所以只能传入一行,多行可能还需要写个bat脚本。
如果需要“静音启动”的话写起来比较麻烦,可以这么做到:
1ProcessStartInfo processStartInfo =
2 new ProcessStartInfo(txtExecutable.Text.Trim(), txtParameter.Text.Trim());
3//保持静音
4processStartInfo.ErrorDialog = false;
5processStartInfo.UseShellExecute = false;
6//用于重定向输出
7processStartInfo.RedirectStandardError = true;
8processStartInfo.RedirectStandardInput = true;
9processStartInfo.RedirectStandardOutput = true;
10//用上面的设定新建一个进程
11Process process = new Process();
12process.StartInfo = processStartInfo;
13//以下是输出 output 或者 error msg
14if (processStarted)
15{
16 //Get the output stream
17 outputReader = process.StandardOutput;
18 errorReader = process.StandardError;
19 process.WaitForExit();//这局可能把人卡住
20
21 //展示
22 string displayText = "Output:" + Environment.NewLine;
23 displayText += outputReader.ReadToEnd();
24 displayText +="Error:" + Environment.NewLine ;
25 displayText += errorReader.ReadToEnd();
26 txtResult.Text = displayText;
27
28 //关闭stream
29 if(outputReader != null) outputReader.Close();
30 if(errorReader != null) errorReader.Close();
31}
我一开始打算把cmd搬到我的winform里面(可以实时更新输出的那种),但是我搜了好久也没有可以拷贝的代码,而且获取输出并且贴到textbox中会有时产生莫名其妙的死循环,于是我便放弃了于是就选择了功能相同但是弹出窗口的了。
这个函数除了这些功能还可以做打开浏览器指定网页、打开文件夹等,是一个windows环境很常用的c#函数了
1//打开浏览器指定网页
2private void openinbrowser(string link)
3{
4 string strCmdText;
5 strCmdText = $"{link}";
6 Process process = Process.Start(@"C:\Users\kasusa\AppData\Local\Google\Chrome\Application\Chrome.exe", strCmdText);
7}
1//打开文件夹
2Process.Start("explorer.exe", @"c:\test");
对了,这里我同时说两个好用的string用法,他们分别是@和$:(语法糖)
1@ 可以输出源字符串而不做转义,这对于string写文件目录很有用:
2如果没有@ 系统会对\U \k \D \G 挨个转义,碰到转义失败的就报错了。
3string a = @"C:\Users\kasusa\Documents\Gitee";
4
5$ 可以快速的在一个字符串中插入一个变量而不需要用一堆的引号和加号
6string b = "cake";
7string c = $"i love eating {b}, and drink cola!";