>我有一个类,在这个类中我有很多方法,我想调用所有带有写名的方法
这是我的代码,它可以工作:
System.Reflection.MethodInfo[] methods = typeof(content).GetMethods(System.Reflection.BindingFlags.Public | System.Reflection.BindingFlags.Static);
foreach (System.Reflection.MethodInfo m in methods)
{
Response.Write(typeof(content).GetMethod(m.Name).Invoke(null,null).ToString());
}
但是我有一个问题,代码只返回第一个方法名称
我应该怎么做才能得到所有这些?怎么了?
您需要在实例上调用每个方法。 在下面的示例中,针对 Content
的实例调用 .Invoke()
。 也就是说,您也在进行多余的GetMethod()
调用。 您可以直接使用该MethodInfo
。
void Main()
{
var content = new Content();
System.Reflection.MethodInfo[] methods = typeof(Content).GetMethods(
System.Reflection.BindingFlags.Public | System.Reflection.BindingFlags.Static);
foreach (System.Reflection.MethodInfo m in methods)
{
Response.Write(m.Invoke(content, null).ToString());
}
}
public class Content
{
public static void Test1() {}
public static void Test2() {}
}
您要执行的所有方法都public
和static
吗?好。现在检查是否将正确的参数传递给要调用的每个方法。
Invoke(null, null)
仅适用于不接受任何参数的方法。如果尝试使用 .Invoke(null, null)
调用需要参数的方法,则会引发异常。
例如,如果您有两种方法
public static void Example1() { ... }
public static void Example2(string example) { ... }
此代码将运行Example1()
,打印出来,然后在尝试将 0 个参数传递给 Example2()
时崩溃 要调用Example2()
,您需要.Invoke(null, new object[1])