Answers:
使用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“ bypass [es] SecurityManager根据直接调用者的类加载器进行检查”(请参阅Java安全编码准则的第6节)。
免责声明:未经测试甚至编译。
注意Modifier
应谨慎使用。以int表示的标志类型不安全。一个常见的错误是在不适用于该反射对象的类型上测试修饰符标志。在相同位置设置标志以表示其他信息的情况可能会是这样。
为了充实先前的(正确的)答案,下面是一个完整的代码片段,它可以满足您的要求(忽略的异常):
public Method[] getStatics(Class<?> c) {
Method[] all = c.getDeclaredMethods()
List<Method> back = new ArrayList<Method>();
for (Method m : all) {
if (Modifier.isStatic(m.getModifiers())) {
back.add(m);
}
}
return back.toArray(new Method[back.size()]);
}