C#:如何判断EXE是否有图标?

时间:2015-11-09 21:36:35

标签: c# .net windows exe system.drawing

我正在寻找一种方法来判断EXE文件是否包含应用程序图标。从答案here,我尝试了这个:

bool hasIcon = Icon.ExtractAssociatedIcon(exe) != null;

但即使EXE没有图标,这似乎也有效。有没有办法在.NET中检测到这一点?

编辑:我可以使用P / Invoke解决方案。

2 个答案:

答案 0 :(得分:1)

您可以从IDI_APPLICATION

获取SystemIcons.Application图标到SystemIcons属性
if (Icon.ExtractAssociatedIcon(exe).Equals(SystemIcons.Application)) 
{
    ...
}

有关详细信息,请参阅MSDN

答案 1 :(得分:0)

试试这个。像这样定义你的pinvoke:

[DllImport("user32.dll")]
internal static extern IntPtr LoadImage(IntPtr hInst, IntPtr name, uint type, int cxDesired, int cyDesired, uint fuLoad);

[DllImport("kernel32.dll")]
static extern bool EnumResourceNames(IntPtr hModule, int dwID, EnumResNameProcDelegate lpEnumFunc, IntPtr lParam);

delegate bool EnumResNameProcDelegate(IntPtr hModule, IntPtr lpszType, IntPtr lpszName, IntPtr lParam);

[DllImport("kernel32.dll", SetLastError = true)]
internal static extern IntPtr LoadLibraryEx(string name, IntPtr handle, uint dwFlags);

private const int LOAD_LIBRARY_AS_DATAFILE = 0x00000002;
private const int LOAD_LIBRARY_AS_IMAGE_RESOURCE = 0x00000020;
private const int IMAGE_ICON = 1;
private const int RT_GROUP_ICON = 14;

然后你可以写一个这样的函数:

static bool HasIcon(string path)
{
    // This loads the exe into the process address space, which is necessary
    // for LoadImage / LoadIcon to work note, that LOAD_LIBRARY_AS_DATAFILE
    // allows loading a 32-bit image into 64-bit process which is otherwise impossible
    IntPtr moduleHandle = LoadLibraryEx(path, IntPtr.Zero, LOAD_LIBRARY_AS_DATAFILE | LOAD_LIBRARY_AS_IMAGE_RESOURCE);

    if (moduleHandle == IntPtr.Zero)
    {
        throw new ApplicationException("Cannot load executable");
    }

    IntPtr index = IntPtr.Zero;
    bool hasIndex = false;

    bool enumerated = EnumResourceNames(moduleHandle, RT_GROUP_ICON, (module, type, name, param) =>
    {
        index = name;
        hasIndex = true;
        // Only load first icon and bail out
        return false;
    }, IntPtr.Zero);

    if (!enumerated || !hasIndex)
    {
        return false;
    }

    // Strictly speaking you do not need this you can return true now
    // This is to demonstrate how to access the icon that was found on
    // the previous step
    IntPtr result = LoadImage(moduleHandle, index, IMAGE_ICON, 0, 0, 0);
    if (result == IntPtr.Zero)
    {
        return false;
    }

    return true;
}

如果您愿意,可以在LoadImage之后加载带有

的图标
Icon icon = Icon.FromHandle(result);

并随心所欲地做任何事。

重要说明:我没有在功能中进行任何清理,因此你不能按原样使用它,你会泄漏句柄/内存。适当的清理留给读者练习。阅读MSDN中使用的每个winapi函数的描述,并根据需要调用相应的清理函数。

可以找到使用shell32 api的另一种方法here,虽然我不知道你遇到的问题是否相同。

此外,旧的,但仍然非常相关的文章:https://msdn.microsoft.com/en-us/library/ms997538.aspx