Logo Questions Linux Laravel Mysql Ubuntu Git Menu
 

How to get all types in a referenced assembly?

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?

like image 382
AngryHacker Avatar asked Feb 11 '10 02:02

AngryHacker


People also ask

What is referenced assembly?

Reference assemblies are a special type of assembly that contain only the minimum amount of metadata required to represent the library's public API surface.

How do you fix referenced assembly does not have a strong name error?

Step 1 : Run visual studio command prompt and go to directory where your DLL located. Step 2 : Now create il file using below command. Step 3 : Generate new Key for sign your project. Step 4 : Now sign your library using ilasm command.

What is assembly reference in asp net?

NET-based applications. An assembly is a collection of types and resources that are built to work together and form a logical unit of functionality. Assemblies take the form of executable (.exe) or dynamic link library (. dll) files, and are the building blocks of . NET applications.


1 Answers

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.

like image 80
jason Avatar answered Sep 20 '22 06:09

jason