C#:给定一个没有路径的文件时,如何获取 Process.Start 将使用的可执行文件路径?

C#: How to get the executable path that Process.Start will use when given a file with no path?

System.Diagnostics.Process.Start() 方法接受 ProcessStartInfo class 实例,该实例使用没有路径的可执行文件初始化,例如 Notepad.exe。进程启动后可以找到它使用的完整路径,如C:\Windows\SysWOW64\notepad.exe。这是完美的,除非您想在不实际启动程序的情况下了解完整路径。就我而言,我想提前从可执行文件中获取图标。

这类似于 windows "where" 命令的行为,例如:

C:>where notepad.exe
C:>\Windows\System32\notepad.exe
C:>\Windows\notepad.exe

第一个响应 C:\Windows\System32\notepad.exe 与 "Process" 使用的基本相同。

如果您在命令行中输入一个应用程序名称(如notepad.exe),它将在当前目录和在PATH 环境变量中指定的所有路径中搜索。当您使用 Process.Start 时,其工作方式类似。 因此,您需要在 PATH 环境变量的所有路径中搜索可执行文件,然后从中提取图标。

搜索路径的顺序实际上取决于注册表,因此不能保证通过 PATH 环境变量简单地枚举会产生预期的结果,特别是在当前工作目录中存在预期名称的文件的情况下.要可靠地获取可执行文件路径,您需要在 Kernel32 中调用 SearchPath Win32 函数。

没有公开SearchPath的框架.NET函数,但可以通过P/Invoke直接调用该函数。

下面的示例程序说明了这个函数的用法。如果 notepad.exe 存在于系统搜索路径中,根据系统配置,它将打印路径;如果不存在,它将打印 "File not found" 代替。

using System;
using System.Text;
using System.Runtime.InteropServices;

class Program
{
    [DllImport("kernel32.dll", SetLastError = true, CharSet = CharSet.Auto)]
    static extern uint SearchPath(string lpPath,
         string lpFileName,
         string lpExtension,
         int nBufferLength,
         [MarshalAs ( UnmanagedType.LPTStr )]
             StringBuilder lpBuffer,
         out IntPtr lpFilePart);
    const int MAX_PATH = 260;
    public static void Main()
    {
        StringBuilder sb = new StringBuilder(MAX_PATH);
        IntPtr discard;
        var nn = SearchPath(null, "notepad.exe", null, sb.Capacity, sb, out discard);
        if (nn == 0)
        {
            var error = Marshal.GetLastWin32Error();
            // ERROR_FILE_NOT_FOUND = 2
            if (error == 2) Console.WriteLine("No file found.");
            else
                throw new System.ComponentModel.Win32Exception(error);
        }
        else
            Console.WriteLine(sb.ToString());
    }
}