How to get all types in a referenced assembly?

39,037

Solution 1

Note that Assembly.GetReferencedAssemblies only includes a particular assembly if you actually use a type in that assembly in your assembly (or a type that you use depends on a type in that assembly). It is not enough to merely include an assembly in the list of references in Visual Studio. Maybe this explains the difference in output from what you expect? I note that if you're expecting to be able to get all the assemblies that are in the list of references in Visual Studio using reflection that is impossible; the metadata for the assembly does not include any information about assemblies on which the given assembly is not dependent on.

That said, once you've retrieved a list of all the referenced assemblies something like the following should let you enumerate over all the types in those assemblies:

foreach (var assemblyName in Assembly.GetExecutingAssembly().GetReferencedAssemblies()) {
    Assembly assembly = Assembly.Load(assemblyName);
    foreach (var type in assembly.GetTypes()) {
        Console.WriteLine(type.Name);
    }
}

If you need the assemblies that are referenced in Visual Studio then you will have to parse the csproj file. For that, check out the ItemGroup element containing Reference elements.

Finally, if you know where an assembly lives, you can load it using Assembly.LoadFile and then essentially proceed as above to enumerate over the types that live in that loaded assembly.

Solution 2

I also landed in a situation where I had to get all the assemblies that are in the list of references in Visual Studio.

I used following work around to get it done.

var path = AppContext.BaseDirectory;  // returns bin/debug path
var directory = new DirectoryInfo(path);

if (directory.Exists)
{
    var dllFiles = directory.GetFiles("*.dll");  // get only assembly files from debug path
}
Share:
39,037
AngryHacker
Author by

AngryHacker

Updated on July 21, 2022

Comments

  • AngryHacker
    AngryHacker almost 2 years

    For whatever reason, I can't seem to get the list of types in a referenced assembly. Not only that, I can't even seem to be able to get to this referenced assembly.

    I tried AppDomain.CurrentDomain.GetAssemblies(), but it only returns assemblies that have already been loaded into memory.

    I tried Assembly.GetExecutingAssembly().GetReferencedAssemblies(), but this just returns mscorlib.

    What am I missing?

  • jwrightmail
    jwrightmail over 5 years
    this seems like a reasonable solution
  • Tono Nam
    Tono Nam over 4 years
    In my case the assembly will not be included if I never use it even though I have a reference in the project!