Click here to Skip to main content
15,867,568 members
Articles / Desktop Programming / Win32

How to Read a PE Image's Manifest Resource using an Undocumented Internal .NET Class Method

Rate me:
Please Sign up or sign in to vote.
5.00/5 (7 votes)
21 Jan 2013CPOL7 min read 29.2K   12   14
This short article shows how to use an undocumented internal class method from the System.Deployment.Application.Win32InterOp namespace to get a PE images manifest resource.

Image 1

Introduction

This is a short article that shows you how to read a PE images manifest resource by accessing an undocumented internal .NET Framework class from inside an internal namespace by loading the class containing assembly into the executing assembly, then importing and instantiating the internal class and finally calling the method via reflection and dynamic invocation. In addition, it also shows how to encapsulate the code in a reusable static method and how to convert the returned datastream the right way. The final result will be a XmlDocument object class instance which offers a comfortable way to explore the manifests internals by walking the XML document using the .NET Frameworks XML/DOM functions. 

Background  

I was looking for some quick and easy way to read the manifest file from PE images like the way Resource Editors, IDEs or Debuggers/Disassemblers can do, but unfortunately the .NET runtime did not offer an easy way to do this, at least I didn't know one until yet. The standard "easiest" way to do this is to use P/Invoke to access the manifest data compiled into a PE images resources section by using Windows API resource management functions. The steps to get the information you want look like this:

  1. LoadLibrary(Ex)
  2. FindResource 
  3. SizeOfResource  
  4. LoadResource
  5. LockResource
  6. CopyMemory or similar suitable memory copy function like Marshal.Copy(...)
  7. FreeLibrary


Another way would be to read the raw PE images binary data and parse its contents step-by-step until one gets the information needed, but this is truly very hard to do, because you have to access the PE images bytes and bits and one wrong offset calculation or data misinterpretation can result in totally useless information or corrupted resulting data. Another way would be using the Debug Help Library API, but this is again lots of P/invoke and we don't want that. There is another fully "managed" way to do this.

Looking at the .NET Frameworks source code, I found one undocumented class/method inside an undocumented namespace, that exactly does the steps above for me and I don't have import/declare any additional unnecessary P/invoke signatures. The method we are using is named GetManifestFromPEResources(...) and the implementing class we are using is the internally (internal class) declared SystemUtils class inside the System.Deployment.Application.Win32InterOpt namespace. The binary assembly DLL file implementing the class is named System.Deployment.dll in my 32-bit .NET installation directory inside "\Windows\Microsoft.NET\Framework\v2.0.50727\". The same libraries can be found inside the 64-bit .NET directories as well. The method is internally using exactly the same Windows API functions above by accessing them using P/Invoke (like most of the runtime classes are doing in any .NET versions by either accessing the Windows API or the Windows Runtime for some tasks), but the good news is, that all can be done in a single call to this undocumented function and we don't have to bother what it looks inside it in detail (but we know that it is exactly what we wanted to do). Once we get the manifest data, we convert it appropriately and create a XmlDocument object from it for easy XML objects access, because we know that the manifest is plain text XML, but all this is explained inside the code.

Using the Code   

The code is quite self-explanatory and has some basic comments to explain the steps. The classes used in the code have been declared with their full namespace qualifiers to clarify their origins in the frameworks runtime:  

The desired functions signature looks like this: 

C#
public static byte[] GetManifestFromPEResources(string filePath) 

and the full code looks like this:

C# Code

C#
//Overloaded simplified static method returning
//only the XmlDocument or null on failure
public static System.Xml.XmlDocument GetPEFileManifest(
    System.String fileName)
{
    System.Xml.XmlDocument xmld;
    System.Exception err;

    GetPEFileManifest(
        fileName,
        out xmld,
        out err);

    return xmld;
}

//Full static method returning error
//information on failure
public static System.Boolean GetPEFileManifest(
    System.String fileName,
    out System.Xml.XmlDocument applicationXmlManifest,
    out System.Exception error) 
{
    try
    {
        //First check valid input parameters
        if(System.String.IsNullOrEmpty(fileName) == true)
            throw new System.NullReferenceException("Parameter \"fileName\" cant be null or empty");

        //First check if file is valid
        if(System.IO.File.Exists(fileName) == false)
            throw new System.IO.FileNotFoundException
                ("Parameter \"fileName\" does not point to a existing file");

        //Load System.Deployment.dll
        System.Reflection.Assembly SystemDeploymentAssembly = System.Reflection.Assembly.Load(
            "System.Deployment, Version=2.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a");

        //Get SystemUtils class from assembly
        System.Type SystemUtilsClass = SystemDeploymentAssembly.GetType(
          "System.Deployment.Application.Win32InterOp.SystemUtils");

        //Create instance of SystemUtils class 
        System.Object SystemUtils = System.Activator.CreateInstance(SystemUtilsClass);

        //Invoke the internal method named "GetManifestFromPEResources" via reflection
        System.Byte[] ManifestBytes = SystemUtils.GetType().InvokeMember(
            "GetManifestFromPEResources",
            System.Reflection.BindingFlags.InvokeMethod |
            System.Reflection.BindingFlags.Public |
            System.Reflection.BindingFlags.Static,
            null,
            SystemUtils, 
            new System.Object[] { fileName }) as System.Byte[];

        //The string holding the final xml text
        string ManifestXmlString = string.Empty;

        //Read bytes with memory stream and stream reader to make sure
        //to get the right encoded data, because some of the resources do have a BOM (Byte Order Mark)
        //Read this for more information: http://en.wikipedia.org/wiki/Byte_Order_Mark
        using (System.IO.MemoryStream ManifestBytesMemoryStream = 
                            new System.IO.MemoryStream(ManifestBytes))
        using (System.IO.StreamReader ManifestBytesStreamReader = _
                new System.IO.StreamReader(ManifestBytesMemoryStream, true))
        {
            ManifestXmlString = ManifestBytesStreamReader.ReadToEnd().Trim();
        }

        //Create a xml document and load the xml string
        System.Xml.XmlDocument ManifestXmlDocument = new System.Xml.XmlDocument();
        
        //Load the xml string 
        ManifestXmlDocument.LoadXml(ManifestXmlString);

        //Return the loaded xml document
        applicationXmlManifest = ManifestXmlDocument;

        error = null;
        return true;
    }
    catch(System.Exception err)
    {
        //Something went wrong for some reason
        error = err;
        applicationXmlManifest = null;
        return false;
    }
}

VB.NET Code

VB.NET
'Overloaded simplified static method returning
'only the XmlDocument or null on failure
Public Shared Function GetPEFileManifest(ByVal fileName As System.String) As System.Xml.XmlDocument
    Dim xmld As System.Xml.XmlDocument
    Dim err As System.Exception

    GetPEFileManifest(fileName, xmld, err)

    Return xmld
End Function

'Full static method returning error
'information on failure
Public Shared Function GetPEFileManifest(ByVal fileName As System.String, _
       ByRef applicationXmlManifest As System.Xml.XmlDocument, _
       ByRef [error] As System.Exception) As System.Boolean
    Try
        'First check valid input parameters
        If System.[String].IsNullOrEmpty(fileName) = True Then
            Throw New System.NullReferenceException("Parameter ""fileName"" cant be null or empty")
        End If

        'First check if file is valid
        If System.IO.File.Exists(fileName) = False Then
            Throw New System.IO.FileNotFoundException_
              ("Parameter ""fileName"" does not point to a existing file")
        End If

        'Load System.Deployment.dll
        Dim SystemDeploymentAssembly As System.Reflection.Assembly = _
          System.Reflection.Assembly.Load("System.Deployment, _
             Version=2.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a")

        'Get SystemUtils class from assembly
        Dim SystemUtilsClass As System.Type = _
          SystemDeploymentAssembly.[GetType]_
             ("System.Deployment.Application.Win32InterOp.SystemUtils")

        'Create instance of SystemUtils class 
        Dim SystemUtils As System.Object = System.Activator.CreateInstance(SystemUtilsClass)

        'Invoke the internal method named "GetManifestFromPEResources" via reflection
        Dim ManifestBytes As System.Byte() = TryCast(SystemUtils.[GetType]().InvokeMember(_
          "GetManifestFromPEResources", System.Reflection.BindingFlags.InvokeMethod Or _
          System.Reflection.BindingFlags.[Public] Or System.Reflection.BindingFlags.[Static], _
          Nothing, SystemUtils, New System.Object() {fileName}), System.Byte())

        'The string holding the final xml text
        Dim ManifestXmlString As String = String.Empty

        'Read bytes with memory stream and stream reader to make sure
        'to get the right encoded data, 
        'because some of the resources do have a BOM (Byte Order Mark)
        'Read this for more information: http://en.wikipedia.org/wiki/Byte_Order_Mark
        Using ManifestBytesMemoryStream As New System.IO.MemoryStream(ManifestBytes)
            Using ManifestBytesStreamReader As _
                    New System.IO.StreamReader(ManifestBytesMemoryStream, True)
                ManifestXmlString = ManifestBytesStreamReader.ReadToEnd().Trim()
            End Using
        End Using

        'Create a xml document and load the xml string
        Dim ManifestXmlDocument As System.Xml.XmlDocument = New System.Xml.XmlDocument()

        'Load the xml string 
        ManifestXmlDocument.LoadXml(ManifestXmlString)

        'Return the loaded xml document
        applicationXmlManifest = ManifestXmlDocument

        [error] = Nothing
        Return True
    Catch err As System.Exception
        'Something went wrong for some reason
        [error] = err
        applicationXmlManifest = Nothing
        Return False
    End Try
End Function

Code in Detail (C#)

First, we check the input parameters to make sure we got a valid filename to access. Then, we load the assembly holding the method we want by using the:

C#
System.Reflection.Assembly.Load()  

method. There are several overloads for that method and maybe one wants to use another variant of it. Take a look at its documentation in the MSDN library. In our case, the assembly we are looking for to load is the "System.Deployment" and we use the long form of the assembly name to reference and load it: 

C#
"System.Deployment, Version=2.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a" 

There are possibly other versions/cultures of that assembly, but I didnt investigate that yet. Please keep in mind that once the assembly is loaded into the applications AppDomain, it can't be unloaded for several reasons that I don't want to discuss here. There are lots of articles here showing how to load an external assembly into a seperate AppDomain and unload it after using it just for the case you want to unload it. After loading it into the executing assembly, we access the desired classes and methods inside the loaded assembly by using reflection:

C#
//Get SystemUtils class from assembly
System.Type SystemUtilsClass = SystemDeploymentAssembly.GetType
      ("System.Deployment.Application.Win32InterOp.SystemUtils");
 
//Create instance of SystemUtils class 
System.Object SystemUtils = System.Activator.CreateInstance(SystemUtilsClass);
 
//Invoke the internal method named "GetManifestFromPEResources" via reflection
System.Byte[] ManifestBytes = SystemUtils.GetType().InvokeMember(
    "GetManifestFromPEResources",
    System.Reflection.BindingFlags.InvokeMethod |
    System.Reflection.BindingFlags.Public |
    System.Reflection.BindingFlags.Static,
    null,
    SystemUtils, 
    new System.Object[] { fileName }) as System.Byte[];

First, we get the SystemUtils class type by querying the loaded assembly which gets the Type object with the specified name, performing a case-sensitive search for further usage. It is important here to use the FQN (Full Qualified Name) of the type residing in the assembly. After successfully obtaining the SystemUtils class type, we create an instance of it by using the Activator classes CreateInstance(...) method. Finally, we make a call to the hidden GetManifestFromPEResources(...) method by invoking the member method of the instantiated class. To make a successful call, you have to pass the correct case of the methods name and the right binding flags as used above. For more information, please refer to the MSDN documentation. After getting the byte[] array holding the PE manifest, we need to convert it into a string. This is done like this:

C#
//The string holding the final xml text
string ManifestXmlString = string.Empty;

//Read bytes with memory stream and stream reader to make sure
//to get the right encoded data, because some of the resources do have a BOM (Byte Order Mark)
//Read this for more information: http://en.wikipedia.org/wiki/Byte_Order_Mark
using (System.IO.MemoryStream ManifestBytesMemoryStream = new System.IO.MemoryStream(ManifestBytes))
using (System.IO.StreamReader ManifestBytesStreamReader = 
        new System.IO.StreamReader(ManifestBytesMemoryStream, true))
{
    ManifestXmlString = ManifestBytesStreamReader.ReadToEnd().Trim();
} 

The reason why we are using the StreamReader class is that it is aware of the BOM (Byte Order Mark) in the manifests byte[] arrays first bytes and we don't have to take care of it anymore. If there is a BOM in the array (there isn't always a BOM in the resource), the StreamReader will handle it for us, if not, it will simply read the bytes into the stream. Looking at the BOM inside a hex editor, it looks like this:

Image 2

Finally, we create an XmlDocument from the XML string we got and return it to the caller:

C#
                //Create a xml document and load the xml string
System.Xml.XmlDocument ManifestXmlDocument = new System.Xml.XmlDocument();

//Load the xml string 
ManifestXmlDocument.LoadXml(ManifestXmlString);

//Return the loaded xml document
applicationXmlManifest = ManifestXmlDocument; 

The reasons why I decided to pack the XML text into an XmlDocument class is quite simple. Once the manifest is mapped into a XmlDocument, it can fully be accessed by the .NET Frameworks XML/DOM functions and can also be manipulated (read, written, extended, split, etc.) the way one wants to change it.

Summary  

Although this all can be done with P/Invoke by using the single Windows API calls, I personally find it more "clean" to use this undocumented function, since it encapsulates all the calls inside one single function and all is done from outside the function in plain managed code and this undocumented class/method is available from .NET 2.0 up to the latest version of the .NET runtime library. Always keep in your mind: Undocumented functions are always a matter of taste and are always possibly subject to change or can be fully unavailable in future releases/updates, so one has to decide if he/she wants to use this function or completely rewrite it using the Windows API functions to have a own codebase for future usage.

Points of Interest

There is also the other way: Updating a PE's manifest resource, but I wont cover this here and it is not the purpose of this article. The only thing I want to point out is, if someone is interested for sure, that it can be done with the Resource functions from the Windows API in the following order:

  1. BeginUpdateResource
  2. UpdateResource
  3. EndUpdateResource

History      

  • 19/01/2013 - Initial article release 
  • 22/01/2013 - Added VB.NET code and corrected a few typos

External Links 

License

This article, along with any associated source code and files, is licensed under The Code Project Open License (CPOL)


Written By
Software Developer (Senior)
Germany Germany
I am a former developer from germany who has worked on a broad range of technologies. Mainly i was assigned to tasks like designing, writing and implementing/integrating applications for mixed systems, debugging and troubleshooting them, also including lots of teaching on how to do all those things. I was not tied to any special systems at all, as long it could be programmed somehow, no matter in kernel or userland Smile | :) Currently i am not developing or teaching anymore. But i still try to help and contribute code and solutions, help wherever i can. I am also strongly interessted in pedagogy, especially in media pedagogy. There are a few final words i want to say here: Share your knowledge of programming, of life and all your experiences to anybody out there, to build a better and safer world. We only have one. Please try to keep it safe for all of us.

Comments and Discussions

 
SuggestionAnother way to get PE images' Manifest Resource info Pin
Member 1282433317-Aug-20 21:04
Member 1282433317-Aug-20 21:04 
We can use MT.exe to implement
MT.exe

example:
mt -inputresource:MFCApplication1.exe;#1 -out:extracted.manifest

Reference:
c++ - reading an application's manifest file? - Stack Overflow[^]
QuestionReturns null as byte[] Pin
Martin Lottering17-Nov-15 20:34
Martin Lottering17-Nov-15 20:34 
AnswerRe: Returns null as byte[] Pin
Kerem Guemruekcue17-Nov-15 21:25
Kerem Guemruekcue17-Nov-15 21:25 
GeneralRe: Returns null as byte[] Pin
Martin Lottering17-Nov-15 22:24
Martin Lottering17-Nov-15 22:24 
GeneralRe: Returns null as byte[] Pin
Kerem Guemruekcue17-Nov-15 22:34
Kerem Guemruekcue17-Nov-15 22:34 
GeneralRe: Returns null as byte[] Pin
Martin Lottering17-Nov-15 23:35
Martin Lottering17-Nov-15 23:35 
GeneralMost knowledge is good knowledge Pin
Slacker0073-Feb-15 8:33
professionalSlacker0073-Feb-15 8:33 
GeneralRe: Most knowledge is good knowledge Pin
Kerem Guemruekcue3-Feb-15 8:45
Kerem Guemruekcue3-Feb-15 8:45 
QuestionWhat is the purpose of this? Pin
FatCatProgrammer20-Jan-13 17:55
FatCatProgrammer20-Jan-13 17:55 
AnswerRe: What is the purpose of this? Pin
Kerem Guemruekcue20-Jan-13 18:18
Kerem Guemruekcue20-Jan-13 18:18 
GeneralRe: What is the purpose of this? Pin
FatCatProgrammer21-Jan-13 5:40
FatCatProgrammer21-Jan-13 5:40 
GeneralRe: What is the purpose of this? Pin
Kerem Guemruekcue21-Jan-13 6:24
Kerem Guemruekcue21-Jan-13 6:24 
GeneralRe: What is the purpose of this? Pin
FatCatProgrammer21-Jan-13 8:27
FatCatProgrammer21-Jan-13 8:27 
GeneralRe: What is the purpose of this? Pin
Kerem Guemruekcue21-Jan-13 11:33
Kerem Guemruekcue21-Jan-13 11:33 

General General    News News    Suggestion Suggestion    Question Question    Bug Bug    Answer Answer    Joke Joke    Praise Praise    Rant Rant    Admin Admin   

Use Ctrl+Left/Right to switch messages, Ctrl+Up/Down to switch threads, Ctrl+Shift+Left/Right to switch pages.