如何使用反射检查方法是否为静态?

2022-08-31 09:42:29

我只想在运行时发现类的静态方法,我该怎么做?或者,如何区分静态和非静态方法。


答案 1

用。Modifier.isStatic(method.getModifiers())

/**
 * Returns the public static methods of a class or interface,
 *   including those declared in super classes and interfaces.
 */
public static List<Method> getStaticMethods(Class<?> clazz) {
    List<Method> methods = new ArrayList<Method>();
    for (Method method : clazz.getMethods()) {
        if (Modifier.isStatic(method.getModifiers())) {
            methods.add(method);
        }
    }
    return Collections.unmodifiableList(methods);
}

注意:从安全角度来看,此方法实际上是危险的。Class.getMethods“绕过 SecurityManager 检查,具体取决于直接调用方的类加载器”(请参阅 Java 安全编码指南的第 6 节)。

免责声明:未经测试,甚至未编译。

注意应谨慎使用。表示为整数的标志不是类型安全的。一个常见的错误是在一种不适用的反射对象类型上测试修饰符标志。可能的情况是,将相同位置的标志设置为表示某些其他信息。Modifier


答案 2

您可以获取如下静态方法:

for (Method m : MyClass.class.getMethods()) {
   if (Modifier.isStatic(m.getModifiers()))
      System.out.println("Static Method: " + m.getName());
}