我正在尝试在静态类中获取静态方法的 MethodInfo。运行以下行时,我只得到了基本的 4 个方法,ToString、Equals、GetHashCode 和 GetType:
MethodInfo[] methodInfos = typeof(Program).GetMethods();
如何获取此类中实现的其他方法?
我正在尝试在静态类中获取静态方法的 MethodInfo。运行以下行时,我只得到了基本的 4 个方法,ToString、Equals、GetHashCode 和 GetType:
MethodInfo[] methodInfos = typeof(Program).GetMethods();
如何获取此类中实现的其他方法?
var methods = typeof(Program).GetMethods(BindingFlags.Static | BindingFlags.Instance | BindingFlags.Public | BindingFlags.NonPublic);
试试这个方法:
MethodInfo[] methodInfos = typeof(Program).GetMethods(BindingFlags.Static | BindingFlags.Public);
此外,如果您知道您的静态方法并且可以在编译时访问它,您可以使用Expression
类来获取MethodInfo
而不直接使用反射(这可能会导致额外的运行时错误):
public static void Main()
{
MethodInfo staticMethodInfo = GetMethodInfo( () => SampleStaticMethod(0, null) );
Console.WriteLine(staticMethodInfo.ToString());
}
//Method that is used to get MethodInfo from an expression with a static method call
public static MethodInfo GetMethodInfo(Expression<Action> expression)
{
var member = expression.Body as MethodCallExpression;
if (member != null)
return member.Method;
throw new ArgumentException("Expression is not a method", "expression");
}
public static string SampleStaticMethod(int a, string b)
{
return a.ToString() + b.ToLower();
}
这里传递给 a 的实际参数SampleStaticMethod
无关紧要,因为只SampleStaticMethod
使用了主体,因此您可以将null
默认值传递给它。