Как можно напрямую отобразить значок с известным идентификатором DLL?

Как можно напрямую отобразить значок с известным идентификатором DLL?

Кто-нибудь знает, как напрямую отобразить значок в его формате "Registry"? Например, "%SystemRoot%\system32\shell32.dll,112", т. е. C:\Windows\System32\shell32.dll,112, обычно является идентификатором значка, поскольку он находится в данных реестра для значения "IconPath". Путь является реальным, код значка "112" - просто случайное число.

Дело в том, что найти нужную иконку, когда DLL состоит из сотен иконок, довольно сложно, даже при использовании такого инструмента, какИзвлекатель иконок, который будет отображать информацию о значках при наведении курсора на значки. Все эти инструменты, похоже, работают наоборот: сначала нужно загрузить dll, а затем надеяться найти значок с соответствующим кодом.

решение1

Значки для типов файлов — это ресурсы (т. е. любой тип изображения, медиа и т. д.), встроенные в известные DLL. Номер этого значка (или индекс группы значков) не является случайным. Файлы DLL имеют раздел для хранения этих ресурсов. Каждый значок хранится с уникальными номерами. Один тип значка может состоять из различных размеров значка, габаритов и битовой глубины. Этот идентификатор значка получается из номера группы значков, так что когда пользователь изменяет уровень масштабирования, он изменяет только размер значка, а не сам значок.

Это можно легко понять на примере. Для этого случая я используюРесурсный хакер. Вот скриншот иконок файлов ярлыков (расширения .LNK) в Resource Hacker (иконки могут отличаться):

Ресурс_Хакер_Shell32

А вот настройки реестра:

Windows Registry Editor Version 5.00
[HKEY_LOCAL_MACHINE\SOFTWARE\Classes\.lnk\ShellNew]
"Handler"="{ceefea1b-3e29-4ef1-b34c-fec79c4f70af}"
"IconPath"="%SystemRoot%\system32\shell32.dll,-16769"
"ItemName"="@shell32.dll,-30397"
"MenuText"="@shell32.dll,-30318"
"NullFile"=""

Видите номер "16769", сопоставьте его со скриншотом. Но как открыть его вРесурсный хакер? Ответ: Загрузите и запустите это программное обеспечение --> Скопируйте shell32.dll(или любой файл dll/exe) на рабочий стол/в рабочую папку --> перетащите этот файл в окно Resource Hacker --> Дважды щелкните на "Группе значков" --> Прокрутите до этого номера. Посмотрите, в одной группе значков много значков с учетом их размеров 16x16, 20x20 и т. д. Они предназначены для разных уровней масштабирования в Проводнике.

решение2

Трудно найти нужную иконку, когда DLL состоит из сотен иконок.

Вы можете использовать следующий скрипт Powershell .\DisplayIcon.ps1:

<#
.SYNOPSIS
    Exports an ico and bmp file from a given source to a given destination
.Description
    You need to set the Source and Destination locations. First version of a script, I found other examples 
    but all I wanted to do as grab and ico file from an exe but found getting a bmp useful. Others might find useful
.EXAMPLE
    This will run but will nag you for input
    .\Icon_Exporter.ps1
.EXAMPLE
    this will default to shell32.dll automatically for -SourceEXEFilePath
    .\Icon_Exporter.ps1 -TargetIconFilePath 'C:\temp\Myicon.ico' -IconIndexNo 238
.EXAMPLE
    This will give you a green tree icon (press F5 for windows to refresh Windows explorer)
    .\Icon_Exporter.ps1 -SourceEXEFilePath 'C:/Windows/system32/shell32.dll' -TargetIconFilePath 'C:\temp\Myicon.ico' -IconIndexNo 41

.Notes
    Based on http://stackoverflow.com/questions/8435/how-do-you-get-the-icons-out-of-shell32-dll Version 1.1 2012.03.8
    New version: Version 1.2 2015.11.20 (Added missing custom assembly and some error checking for novices)
#>
Param ( 
    [parameter(Mandatory = $true)]
    [string] $SourceEXEFilePath = 'C:/Windows/system32/shell32.dll',
    [parameter(Mandatory = $true)]
    [string] $TargetIconFilePath,
    [parameter(Mandatory = $False)]
    [Int32]$IconIndexNo = 0
)

$code = @"
using System;
using System.Drawing;
using System.Runtime.InteropServices;

namespace System
{
    public class IconExtractor
    {

     public static Icon Extract(string file, int number, bool largeIcon)
     {
      IntPtr large;
      IntPtr small;
      ExtractIconEx(file, number, out large, out small, 1);
      try
      {
       return Icon.FromHandle(largeIcon ? large : small);
      }
      catch
      {
       return null;
      }

     }
     [DllImport("Shell32.dll", EntryPoint = "ExtractIconExW", CharSet = CharSet.Unicode, ExactSpelling = true, CallingConvention = CallingConvention.StdCall)]
     private static extern int ExtractIconEx(string sFile, int iIndex, out IntPtr piLargeVersion, out IntPtr piSmallVersion, int amountIcons);

    }
}
"@

If  (-not (Test-path -Path $SourceEXEFilePath -ErrorAction SilentlyContinue ) ) {
    Throw "Source file [$SourceEXEFilePath] does not exist!"
}

[String]$TargetIconFilefolder = [System.IO.Path]::GetDirectoryName($TargetIconFilePath) 
If  (-not (Test-path -Path $TargetIconFilefolder -ErrorAction SilentlyContinue ) ) {
    Throw "Target folder [$TargetIconFilefolder] does not exist!"
}

Try {
    If ($SourceEXEFilePath.ToLower().Contains(".dll")) {
        Add-Type -TypeDefinition $code -ReferencedAssemblies System.Drawing
        $Icon = [System.IconExtractor]::Extract($SourceEXEFilePath, $IconIndexNo, $true)    
    } Else {
        [void][Reflection.Assembly]::LoadWithPartialName("System.Drawing")
        [void] [System.Reflection.Assembly]::LoadWithPartialName("System.Windows.Forms")
        $image = [System.Drawing.Icon]::ExtractAssociatedIcon("$($SourceEXEFilePath)").ToBitmap()
        $bitmap = new-object System.Drawing.Bitmap $image
        $bitmap.SetResolution(72,72)
        $icon = [System.Drawing.Icon]::FromHandle($bitmap.GetHicon())
    }
} Catch {
    Throw "Error extracting ICO file"
}

Try {
    $stream = [System.IO.File]::OpenWrite("$($TargetIconFilePath)")
    $icon.save($stream)
    $stream.close()
} Catch {
    Throw "Error saving ICO file [$TargetIconFilePath]"
}
Write-Host "Icon file can be found at [$TargetIconFilePath]"

# Loosely based on http://www.vistax64.com/powershell/202216-display-image-powershell.html

[void][reflection.assembly]::LoadWithPartialName("System.Windows.Forms")

$img = [System.Drawing.Image]::Fromfile($TargetIconFilePath);

# This tip from http://stackoverflow.com/questions/3358372/windows-forms-look-different-in-powershell-and-powershell-ise-why/3359274#3359274
[System.Windows.Forms.Application]::EnableVisualStyles();
$form = new-object Windows.Forms.Form
$form.Text = "Image Viewer"
$form.Width = $img.Size.Width;
$form.Height =  $img.Size.Height;
$pictureBox = new-object Windows.Forms.PictureBox
$pictureBox.Width =  $img.Size.Width;
$pictureBox.Height =  $img.Size.Height;

$pictureBox.Image = $img;
$form.controls.add($pictureBox)
$form.Add_Shown( { $form.Activate() } )
$form.ShowDialog()
#$form.Show();

Пример вывода:

> .\DisplayIcon.ps1 -SourceEXEFilePath 'C:\Windows\system32\shell32.dll' -TargetIconFilePath 'f:\test\Myicon.ico' -IconIndexNo 41
Icon file can be found at [f:\test\Myicon.ico]

введите описание изображения здесь

Примечания:

  • Этот скрипт был создан с использованием источников, перечисленных ниже.
  • БлагодаряБен Н.вКорневой доступза помощь в отладке кода.

Источники:

Связанный контент