Logo Questions Linux Laravel Mysql Ubuntu Git Menu
 

Determining all types used by a certain type in c# using reflection

Tags:

c#

reflection

if I have

class A
{
   public void DoStuff()
   {
      B b;
   }
}

struct B {}
struct C {}

and I have typeof(A),

I would like to get a list of all types used by A. in this case it would be typeof(B) and not typeof(C).

Is there a nice way to do this with reflection?

like image 224
Lucas Meijer Avatar asked Jul 31 '12 11:07

Lucas Meijer


1 Answers

You need to look at the MethodBody class (there's a very good example of it's use in the link). This will let you write code like:

MethodInfo mi = typeof(A).GetMethod("DoStuff");
MethodBody mb = mi.GetMethodBody();
foreach (LocalVariableInfo lvi in mb.LocalVariables)
{
    if (lvi.LocalType == typeof(B))
        Console.WriteLine("It uses a B!");
    if (lvi.LocalType == typeof(C))
        Console.WriteLine("It uses a C!");
}
like image 138
RB. Avatar answered Sep 30 '22 15:09

RB.