本文共 3259 字,大约阅读时间需要 10 分钟。
个人博客 ,最新文章将会首发,欢迎探索哦 !
同时,搜索微信公众号CoorChice
,或扫描文章末尾二维码,可以关注我的微信公众号。同期文章也将会优先推送到微信公众号中,以提醒您有新鲜文章出炉。
java的反射机制使java成为一种动态语言,通过反射机制能够在运行时或的一个对象的所有信息,包括他的包名,它的所有方法和成员变量。当然知道包名可以直接取得该类,从而获得他的实例。
//通过对象获得:class = b.getClass();//通过完整包类名获得:class = Class.fromName("包名.类名")//本包可以通过.class获得:class = 类名.class
//获得类Class c1 = persen.getClass();try { //通过方法名获得方法,这是私有方法 Method method1 = c1.getDeclaredMethod("method1"); //调用方法私有方法的关键 method1.setAccessible(true); //设置该私有方法可被调用 //方法调用 method1.invoke(c1.newInstance()); //这是带参数的方法,需要在获得方法的时候把参数的类型都加上 Method method2 = c1.getDeclaredMethod("method2",String.class); //调用方法,填写参数 method2.invoke(c1.newInstance(),"kk"); //这是有返回值的方法 Method method3 = c1.getDeclaredMethod("method3"); return (int) method3.invoke(c1.newInstance());} catch (NoSuchMethodException | InvocationTargetException | IllegalAccessException | InstantiationException e) { e.printStackTrace();}
Class c1 = persen.getClass();try { //通过属性名获得属性 Field name = c1.getDeclaredField("name"); //由于是私有属性,所以需要设置它可见 name.setAccessible(true); //直接修改该对象的该属性的值 name.set(persen,"小明"); //获得该对象的该属性的值 return (String) name.get(persen);} catch (NoSuchFieldException e) { e.printStackTrace();} catch (IllegalAccessException e) { e.printStackTrace();}
public static Method getMethod(@NonNull Class clazz, @NonNull String methodName) throws NoSuchMethodException { Method method = clazz.getDeclaredMethod(methodName); method.setAccessible(true); return method; } public static Method getMethod(@NonNull Class clazz, @NonNull String methodName, Class... parameterTypes) throws NoSuchMethodException { Method method = clazz.getDeclaredMethod(methodName, parameterTypes); method.setAccessible(true); return method; } public static Method getApiMethod(@NonNull Class clazz, @NonNull String methodName) throws NoSuchMethodException { Method[] methods = clazz.getDeclaredMethods(); for (Method method : methods) { if (method.getName().contains(methodName)) { method.setAccessible(true); return method; } } return null; } public static void invokeMethod(@NonNull Class clazz, @NonNull String methodName) throws IllegalAccessException, InstantiationException, InvocationTargetException, NoSuchMethodException { getMethod(clazz, methodName).invoke(clazz.newInstance()); } public staticvoid invokeMethod(T t, @NonNull String methodName) throws IllegalAccessException, InstantiationException, InvocationTargetException, NoSuchMethodException { getMethod(t.getClass(), methodName).invoke(t); } public static void invokeApiMethod(T t, @NonNull String methodName, V v, Class... parameterTypes) throws IllegalAccessException, InstantiationException, InvocationTargetException, NoSuchMethodException { getApiMethod(t.getClass(), methodName).invoke(t, v); } public static Field getVariable(@NonNull Class clazz, @NonNull String variableName) throws NoSuchFieldException { Field variable = clazz.getDeclaredField(variableName); variable.setAccessible(true); return variable; }
转载地址:http://dfoso.baihongyu.com/