本文告诉大家如何使用相同权限调用cmd并且传入命令。
如果想要用相同的权限运行一个程序,可以使用 ProcessStartInfo 的方法
1
2
3
4
5
|
var processStartInfo = new ProcessStartInfo()
{
Verb = "runas" , // 如果程序是管理员权限,那么运行 cmd 也是管理员权限
FileName = "cmd.exe" ,
};
|
只需要设置 Verb = "runas" 就可以使用相同的权限运行程序。
如何设置程序使用管理员权限运行,请看
所以需要修改一下在 C# 调用 ProcessStartInfo 使用 cmd 并且传入参数的方法
1
2
3
4
5
6
7
8
9
10
11
12
13
|
var processStartInfo = new ProcessStartInfo()
{
Verb = "runas" , // 如果程序是管理员权限,那么运行 cmd 也是管理员权限
FileName = "cmd.exe" ,
UseShellExecute = false ,
RedirectStandardInput = true ,
RedirectStandardOutput = true ,
RedirectStandardError = true ,
CreateNoWindow = false , // 如果需要隐藏窗口,设置为 true 就不显示窗口
StandardOutputEncoding = Encoding.UTF8,
Arguments = "/K " + str + " &exit" ,
};
var p = Process.Start(processStartInfo);
|
这里传入的 Arguments 需要使用 /K 或 /C 放在最前,不然 cmd 不会执行参数。
如果需要拿到输出就需要用到其他的代码,所有的代码请看下面,代码可以直接复制使用。
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
|
private static ( string output, int exitCode) Control( string str)
{
var processStartInfo = new ProcessStartInfo()
{
Verb = "runas" , // 如果程序是管理员权限,那么运行 cmd 也是管理员权限
FileName = "cmd.exe" ,
UseShellExecute = false ,
RedirectStandardInput = true ,
RedirectStandardOutput = true ,
RedirectStandardError = true ,
CreateNoWindow = false , // 如果需要隐藏窗口,设置为 true 就不显示窗口
StandardOutputEncoding = Encoding.UTF8,
Arguments = "/K " + str + " &exit" ,
};
var p = Process.Start(processStartInfo);
//向cmd窗口发送输入信息
p.StandardInput.AutoFlush = true ;
//向标准输入写入要执行的命令。这里使用&是批处理命令的符号,表示前面一个命令不管是否执行成功都执行后面(exit)命令,如果不执行exit命令,后面调用ReadToEnd()方法会假死
//同类的符号还有&&和||前者表示必须前一个命令执行成功才会执行后面的命令,后者表示必须前一个命令执行失败才会执行后面的命令
//获取cmd窗口的输出信息
var output = "" ;
var task = p.StandardOutput.ReadToEndAsync();
task.Wait(2000);
if (task.IsCompleted)
{
output += task.Result;
}
task = p.StandardError.ReadToEndAsync();
task.Wait(2000);
if (task.IsCompleted)
{
output += task.Result;
}
Console.WriteLine(output);
p.WaitForExit(10000); //等待程序执行完退出进程
p.Close();
int ec = 0;
try
{
ec = p.ExitCode;
}
catch (Exception)
{
}
return (output + "\r\n" , ec);
}
|
总结
以上所述是小编给大家介绍的C# 使用相同权限调用 cmd 传入命令,希望对大家有所帮助,如果大家有任何疑问欢迎给我留言,小编会及时回复大家的!
原文链接:https://lindexi.gitee.io/lindexi/post/C