如何获取方法的MethodBase对象?

时间:2011-07-28 08:53:40

标签: c# .net reflection methodbase

我正在尝试使用此post中的类,但需要运行一个MethodBase。

我看了What is the fastest way to get a MethodBase object?,但我找不到任何解决方案。

我需要做的是从函数中获取MethodBase对象。

例如,获取Console类的静态函数WriteLine()的MethodBase,或获取List<>的非静态函数Add()的MethodBase。

感谢您的帮助!

1 个答案:

答案 0 :(得分:14)

方法1

您可以直接使用反射:

MethodBase writeLine = typeof(Console).GetMethod(
    "WriteLine", // Name of the method
    BindingFlags.Static | BindingFlags.Public, // We want a public static method
    null,
    new[] { typeof(string), typeof(object[]) }, // WriteLine(string, object[]),
    null
);

对于Console.Writeline(),该方法有许多重载。您需要使用GetMethod的其他参数来检索正确的参数。

如果该方法是通用的并且您不能静态地知道类型参数,则需要检索open方法的MethodInfo,然后对其进行参数化:

// No need for the other parameters of GetMethod because there
// is only one Add method on IList<T>
MethodBase listAddGeneric = typeof(IList<>).GetMethod("Add");

// listAddGeneric cannot be invoked because we did not specify T
// Let's do that now:
MethodBase listAddInt = listAddGeneric.MakeGenericMethod(typeof(int));
// Now we have a reference to IList<int>.Add

方法2

某些第三方图书馆可以为您提供帮助。使用SixPack.Reflection,您可以执行以下操作:

MethodBase writeLine = MethodReference.Get(
    // Actual argument values of WriteLine are ignored.
    // They are needed only to resolve the overload
    () => Console.WriteLine("", null)
);