1.Method类代表某个类中的一个成员方法,方法是属于一个类的。我们调用一个方法是用一个对象去调用,那么如果用反射的方法一定也是在对象上调用。先得到某个方法然后在针对某个对象调用。
2.使用Class类的方法getMethod(String name, Class<?>... parameterTypes)来得到Method对象,代表类中的方法。如果方法是无参的Class<?>可变参数列表列表可以连同前面的逗号一并省略。如果方法是私有的那么就不能使用getMethod方法,而因该使用getDeclaredMethod(String name, Class<?>... parameterTypes)方法,然后在调用之前先设置这个方法为可访问的,通过使用Method的setAccessible(boolean flag)方法。
3.得到方法后如何调用呢?使用Method的invoke(Object obj, Object... args)方法调用。注意如果方法是空参数的同理可变参数列表和前面的逗号可以一同省略。如果是静态方法那么obj用null代替,表示静态方法是属于类的,所以静态方法不用再对象上调用。
4.下面的小程序演示了如何使用
- public class Car
- {
- public void run()
- {
- System.out.println("Car run ...");
- }
- public static void printName()
- {
- System.out.println("宝马");
- }
- private void printColor()
- {
- System.out.println("Color is Red.");
- }
- }
复制代码- import java.lang.reflect.InvocationTargetException;
- import java.lang.reflect.Method;
- public class TestMain
- {
- public static void main(String[] args) throws NoSuchMethodException, SecurityException, IllegalAccessException, IllegalArgumentException, InvocationTargetException
- {
- Car c= new Car();
- Method m1 = c.getClass().getMethod("run");
- m1.invoke(c);//Car run ...
- System.out.println("-------------------------");
- Method m2 = c.getClass().getDeclaredMethod("printColor");
- m2.setAccessible(true);
- m2.invoke(c);//Color is Red.
- System.out.println("-------------------------");
- Method m3 = c.getClass().getMethod("printName");
- m3.invoke(null);//宝马
- }
- }
复制代码
|
|