7

当我尝试从我的 C# 应用程序运行 BCDEDIT 时,出现以下错误:

'bcdedit' 不是内部或外部命令、可运行程序或批处理文件。

当我通过提升的命令行运行它时,我得到了预期。

我使用了以下代码:

            Process p = new Process();
            p.StartInfo.UseShellExecute = false;
            p.StartInfo.RedirectStandardOutput = true;
            p.StartInfo.RedirectStandardError = true;
            p.StartInfo.FileName = @"CMD.EXE";
            p.StartInfo.Arguments = @"/C bcdedit";
            p.Start();
            string output = p.StandardOutput.ReadToEnd();
            String error = p.StandardError.ReadToEnd();
            p.WaitForExit();
            return output;

我也尝试过使用

p.StartInfo.FileName = @"BCDEDIT.EXE";
p.StartInfo.Arguments = @"";

我尝试了以下方法:

  1. 检查路径变量 - 它们很好。
  2. 从提升的命令提示符运行 Visual Studio。
  3. 放置完整路径。

我的想法不多了,知道为什么会出现这个错误吗?

如果还有另一种方法也可以,我需要的只是命令的输出。谢谢

4

2 回答 2

17

有一种解释是有道理的:

  1. 您正在 64 位机器上执行程序。
  2. 您的 C# 程序构建为 x86。
  3. bcdedit.exe文件存在于C:\Windows\System32.
  4. 虽然C:\Windows\System32在您的系统路径上,但在 x86 进程中,您会受到File System Redirector的约束。这意味着C:\Windows\System32实际上解析为C:\Windows\SysWOW64.
  5. 没有 32 位版本的bcdedit.exein C:\Windows\SysWOW64

解决方案是将您的 C# 程序更改为 targetAnyCPUx64.

于 2012-12-24T16:06:41.253 回答
6

如果您在 32it/64 位 Windows 上都被 x86 应用程序卡住,并且需要调用 bcdedit 命令,这里有一种方法:

private static int ExecuteBcdEdit(string arguments, out IList<string> output)
{
    var cmdFullFileName = Path.Combine(Environment.GetFolderPath(Environment.SpecialFolder.Windows),
                                       Environment.Is64BitOperatingSystem && !Environment.Is64BitProcess
                                           ? @"Sysnative\cmd.exe"
                                           : @"System32\cmd.exe");

    ProcessStartInfo psi = new ProcessStartInfo(cmdFullFileName, "/c bcdedit " + arguments) { UseShellExecute = false, RedirectStandardOutput = true };
    var process = new Process { StartInfo = psi };

    process.Start();
    StreamReader outputReader = process.StandardOutput;
    process.WaitForExit();
    output = outputReader.ReadToEnd().Split(new[] { Environment.NewLine }, StringSplitOptions.None).ToList();
    return process.ExitCode;
}

用法:

var returnCode = ExecuteBcdEdit("/set IgnoreAllFailures", out outputForInvestigation);

灵感来自这个线程,来自How to start a 64-bit process from a 32-bit processhttp://www.samlogic.net/articles/sysnative-folder-64-bit-windows.htm

于 2014-11-12T17:01:52.880 回答