Logo Questions Linux Laravel Mysql Ubuntu Git Menu
 

Get the paths of all referenced assemblies

Tags:

c#

reflection

How do I get the paths of all the assemblies referenced by the currently executing assembly? GetReferencedAssmblies() gives me the AssemblyName[]s. How do I get to where they are loaded from, from there?

like image 351
Water Cooler v2 Avatar asked Nov 16 '10 11:11

Water Cooler v2


2 Answers

You cannot know until the assembly is loaded. The assembly resolution algorithm is complicated and you can't reliably guess up front what it will do. Calling the Assembly.Load(AssemblyName) override will get you a reference to the assembly, and its Location property tells you what you need.

However, you really don't want to load assemblies up front, before the JIT compiler does it. It is inefficient and the likelihood of problems is not zero. You could for example fire an AppDomain.AssemblyResolve event before the program is ready to respond to it. Avoid asking this question.

like image 151
Hans Passant Avatar answered Nov 09 '22 05:11

Hans Passant


Following Hans Passant's answer, and since the CodeBase property always contained null, I came up with this. It might not find all assemblies since they might not all be already loaded. In my situation, I had to find all reference of a previously loaded assembly, so it worked well:

IEnumerable<string> GetAssemblyFiles(Assembly assembly)
{
    var loadedAssemblies = AppDomain.CurrentDomain.GetAssemblies();
    return assembly.GetReferencedAssemblies()
        .Select(name => loadedAssemblies.SingleOrDefault(a => a.FullName == name.FullName)?.Location)
        .Where(l => l != null);
}

Usage:

var assemblyFiles = GetAssemblyFiles(typeof(MyClass).Assembly);
like image 5
Jerther Avatar answered Nov 09 '22 04:11

Jerther