6

我从ASP.NET运行一个外部程序:

var process = new Process();
var startInfo = process.StartInfo;

startInfo.FileName = filePath;
startInfo.Arguments = arguments;

startInfo.UseShellExecute = false;
startInfo.RedirectStandardOutput = true;
//startInfo.RedirectStandardError = true;

process.Start();

process.WaitForExit();

Console.Write("Output: {0}", process.StandardOutput.ReadToEnd());
//Console.Write("Error Output: {0}", process.StandardError.ReadToEnd());

这段代码一切正常:执行外部程序并且process.StandardOutput.ReadToEnd()返回正确的输出。

但是在我在process.Start()之前添加这两行之后(在另一个用户帐户的上下文中运行程序):

startInfo.UserName = userName;
startInfo.Password = securePassword;

该程序未执行,并且process.StandardOutput.ReadToEnd()返回一个空字符串。不抛出异常。

userNamesecurePassword是正确的(如果凭据不正确,则会引发异常)。

如何在另一个用户帐户的上下文中运行程序?

环境: .NET 4,Windows Server 2008 32bit

升级版:

该应用程序在 ASP.NET 开发服务器 + Windows 7 下运行良好,但在 IIS 7 + Windows Server 2008 Web 版上失败。

UPD2:

在事件日志中发现:

错误应用程序 cryptcp.exe,版本 3.33.0.0,时间戳 0x4be18460,错误模块 kernel32.dll,版本 6.0.6002.18005,时间戳 0x49e03821,异常代码 0xc0000142,错误偏移量 0x00009eed,进程 ID 0xbf4,应用程序启动时间 0x01caf1b91af5。

cryptcp.exe 是外部应用程序的名称。

4

4 回答 4

3

我意识到这是不久前被问到的,但我遇到了同样的问题并在这个网站上找到了解决方案:在新凭据下启动进程的风险和陷阱

在应用程序无法正确初始化部分下应用解决方案为我修复了它。

希望这会节省一些其他人的时间和挫折!

于 2012-01-10T08:22:36.717 回答
2

根据微软的说法,你不能像这样读取标准输出和标准错误,因为它会导致死锁。要解决此问题,请使用以下内容:

private readonly StringBuilder outputText = new StringBuilder();
private readonly StringBuilder errorText = new StringBuilder();

. . .

        process.OutputDataReceived += delegate(
            object sendingProcess,
            DataReceivedEventArgs outLine)
        {
            if (!string.IsNullOrEmpty(outLine.Data))
            {
                outputText.AppendLine(outLine.Data);
            }
        };

        process.ErrorDataReceived += delegate(
            object sendingProcess,
            DataReceivedEventArgs errorLine)
        {
            if (!string.IsNullOrEmpty(errorLine.Data))
            {
                errorText.AppendLine(errorLine.Data);
            }
        };

        process.BeginOutputReadLine();
        process.BeginErrorReadLine();
        process.WaitForExit();
        Console.WriteLine(errorText.ToString());
        Console.WriteLine(outputText.ToString());
于 2010-05-12T22:23:11.660 回答
1

您启动的应用程序可能需要加载它的配置文件(默认情况下不会)。您是否尝试将 LoadUserProfile 属性设置为 true?

于 2010-05-13T12:15:16.260 回答
1

查看MSDN 文档,建议将其他一些项目配置为以其他用户身份正确启动应用程序。

  1. 设置域、用户名和密码属性(您应该设置域)
  2. 使用用户名/密码将工作目录默认设置为 system32 文件夹

这可能会帮助您解决这个问题。

于 2010-05-11T15:27:48.823 回答