1. 程式人生 > 實用技巧 >Java獲取類中的所有方法

Java獲取類中的所有方法

一、獲取當前類定義的所有方法,不包括父類和介面的

class.getDeclaredMethods()

eg:

import java.lang.reflect.Method;

public class testH {
    //獲取java類的所有方法並打印出來
    public static void main(String args[]) {
        Class c = SSOUtil.class;
        Method[] m = c.getDeclaredMethods();
        for (int i = 0; i < m.length; i++) {
            System.out.println(m[i].getName());
        }
    }
}

會返回當前類定義的所有方法(包括私有的、靜態的、抽象的),但是不會返回介面和父類中定義的方法

二、獲取當前類所有的public方法,包括父類和介面的

class.getMethods()

會返回當前類所有的public方法,包括介面和父類中定義的public方法。

三、獲取當前類中所有的方法,包括父類和介面的

private Method[] getClassMethods(Class<?> cls) {
    Map<String, Method> uniqueMethods = new HashMap<String, Method>();
    Class
<?> currentClass = cls; while (currentClass != null && currentClass != Object.class) { addUniqueMethods(uniqueMethods, currentClass.getDeclaredMethods()); //獲取介面中的所有方法 Class<?>[] interfaces = currentClass.getInterfaces(); for (Class<?> anInterface : interfaces) { addUniqueMethods(uniqueMethods, anInterface.getMethods()); }
//獲取父類,繼續while迴圈 currentClass = currentClass.getSuperclass(); } Collection<Method> methods = uniqueMethods.values(); return methods.toArray(new Method[methods.size()]); } private void addUniqueMethods(Map<String, Method> uniqueMethods, Method[] methods) { for (Method currentMethod : methods) { if (!currentMethod.isBridge()) { //獲取方法的簽名,格式是:返回值型別#方法名稱:引數型別列表 String signature = getSignature(currentMethod); //檢查是否在子類中已經新增過該方法,如果在子類中已經新增過,則表示子類覆蓋了該方法,無須再向uniqueMethods集合中新增該方法了 if (!uniqueMethods.containsKey(signature)) { if (canControlMemberAccessible()) { try { currentMethod.setAccessible(true); } catch (Exception e) { // Ignored. This is only a final precaution, nothing we can do. } } uniqueMethods.put(signature, currentMethod); } } } } private String getSignature(Method method) { StringBuilder sb = new StringBuilder(); Class<?> returnType = method.getReturnType(); if (returnType != null) { sb.append(returnType.getName()).append('#'); } sb.append(method.getName()); Class<?>[] parameters = method.getParameterTypes(); for (int i = 0; i < parameters.length; i++) { if (i == 0) { sb.append(':'); } else { sb.append(','); } sb.append(parameters[i].getName()); } return sb.toString(); } /** * Checks whether can control member accessible. * * @return If can control member accessible, it return {@literal true} * @since 3.5.0 */ public static boolean canControlMemberAccessible() { try { SecurityManager securityManager = System.getSecurityManager(); if (null != securityManager) { securityManager.checkPermission(new ReflectPermission("suppressAccessChecks")); } } catch (SecurityException e) { return false; } return true; }

轉載自:https://blog.csdn.net/u011983531/article/details/80248945