以admin身份运行新进程并读取标准输出
本文关键字:进程 读取 标准输出 admin 身份 运行 新进程 | 更新日期: 2023-09-27 18:07:07
我希望允许用户在我的非管理程序中以管理员身份运行命令行实用程序,并让我的程序获得输出。该实用程序是第三方的,但与我的程序一起分发。
我可以重定向程序的输出,也可以以管理员身份运行程序,但我不能同时做这两件事。
目前我唯一能做的就是使用cmd.exe将输出重定向到一个文件,例如:
using System.Windows.Forms;
using System.Diagnostics;
using System.IO;
using System.Reflection;
string appDirectory = Path.GetDirectoryName(Assembly.GetExecutingAssembly().Location);
string utilityPath = Path.Combine(appDirectory, "tools", "utility.exe");
string tempFile = Path.GetTempFileName();
Process p = new Process();
// hide the command window
p.StartInfo.WindowStyle = ProcessWindowStyle.Hidden;
p.StartInfo.FileName = "cmd.exe";
// run the tool, redirect the output to the temp file and then close.
p.StartInfo.Arguments = " /C '"'"" + utilityPath + "'" > '"" + tempFile + "'"'"";
p.StartInfo.Verb = "runas"; // run as administrator
p.Start();
p.WaitForExit();
// get the output, delete the file and show the output to the user
string output = File.ReadAllText(tempFile);
File.Delete(tempFile);
MessageBox.Show(output);
这有两个问题:1)它使用临时文件,2)UAC是用于cmd.exe而不是utility.exe。一定有更好的方法来做这件事吧?
尝试直接执行实用程序,而不是通过新的cmd
执行。而不是重定向到一个文件,重定向到标准输出从您的程序中读取它。为了以admin身份运行,您需要使用admin用户名和密码(从这里获取)。您需要将方法设置为unsafe
:
unsafe public static void Main(string[] args){
Process p = new Process();
p.StartInfo.WindowStyle = ProcessWindowStyle.Hidden;
// set admin user and password
p.StartInfo.UserName = "adminusername";
char[] chArray = "adminpassword".ToCharArray();
System.Security.SecureString str;
fixed (char* chRef = chArray) {
str = new System.Security.SecureString(chRef, chArray.Length);
}
p.StartInfo.Password = str;
// run and redirect as usual
p.StartInfo.FileName = utilityPath;
p.StartInfo.UseShellExecute = false;
p.StartInfo.RedirectStandardOutput = true;
p.Start();
string output = p.StandardOutput.ReadToEnd();
Console.WriteLine(output);
p.WaitForExit();
}
虽然我还没有测试过,但它确实很神奇。
它是用c++编写的,但是可以很容易地创建一个包装器API,通过使用DllImport
从c#调用。