Click here to Skip to main content
65,938 articles
CodeProject is changing. Read more.
Articles / Languages / C#

.NET - Determine Whether an Assembly was compiled in Debug Mode

5.00/5 (3 votes)
14 Apr 2010CPOL1 min read 1  
Finding out whether an assembly was compiled in Debug or Release mode is a task we must do from time to time...

Finding out whether an assembly was compiled in Debug or Release mode is a task we must do from time to time.

I know two ways to accomplish this:

Either attributes are applied to Assemblies and can be found in the Assembly Manifest but there are major differences between them:

  • AssemblyConfigurationAttribute must be added by the programmer but is human readable.
  • DebuggableAttribute is added automatically and is always present but is not human readable

You can easily get the Assembly Manifest by using the amazing ILDASM from your Visual Studio Studio Command Prompt:

ildasm_1

ildasm_2

And if you double click the MANIFEST item, you will get all manifest data.

Looking carefully, you will find the DebuggableAttribute:

ildasm_3

And perhaps the AssemblyConfigurationAttribute:

ildasm_4 

AssemblyConfigurationAttribute

Locate the AssemblyConfigurationAttribute – this attribute can be easily interpreted: its value can either be Debug or Release.

ildasm_5

DebuggableAttribute

If AssemblyConfigurationAttribute is not present, then we must use the DebuggableAttribute to achieve our goal.

Since we cannot understand the DebuggableAttribute value, we have to open the assembly from another tool and read this attribute content. There’s no such tool available out-of-the-box but we can easily create a Command Line tool and use a method similar to:

C#
private bool IsAssemblyDebugBuild(string filepath)
{    
    return IsAssemblyDebugBuild(Assembly.LoadFile(Path.GetFullPath(filepath)));
}
private bool IsAssemblyDebugBuild(Assembly assembly)
{    
    foreach (var attribute in assembly.GetCustomAttributes(false))    
    {        
        var debuggableAttribute = attribute as DebuggableAttribute;        
        if (debuggableAttribute != null)        
        {            
            return debuggableAttribute.IsJITTrackingEnabled;        
        }    
    }    
    return false;
}

or (if you prefer LINQ):

C#
private bool IsAssemblyDebugBuild(Assembly assembly)
{    
    return assembly.GetCustomAttributes(false).Any(x => 
	(x as DebuggableAttribute) != null ? 
	(x as DebuggableAttribute).IsJITTrackingEnabled : false);
}

As you can see … it’s pretty simple.

Note

Typically, I add a pre-build task to my build server so that the AssemblyConfigurationAttribute is added to the CommonAssemblyInfo file with the appropriated value: either “Debug” or “Release”. This way anyone can easily see, using only the ILDASM, which kind of compilation was used to generate my assemblies.

License

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