14

我想允许用户在我的非管理员程序中以管理员身份运行命令行实用程序,并让我的程序获取输出。该实用程序是第三方的,但与我的程序一起分发。

我可以重定向程序的输出,也可以以管理员身份运行程序,但不能同时执行这两项操作。

目前我唯一可以开始工作的是使用 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 而不是实用程序.exe。肯定有更好的方法来做到这一点?

4

2 回答 2

4

不要通过 newcmd执行,而是尝试直接执行该实用程序。而不是重定向到文件,而是重定向标准输出以从您的程序中读取它。为了以管理员身份运行,您需要使用管理员用户名和密码(取自此处)。您需要将方法设置为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();
}
于 2013-04-01T16:01:30.063 回答
0

很神奇,虽然我没有测试过。

它是用 C++ 编写的,但是可以很容易地创建一个包装 API,以便使用DllImport.

于 2013-10-15T12:23:17.753 回答