标签:tcl ace method 实现类 loader 作用 override out etc
说到java自带的动态代理api,肯定离不开反射。JDK的Proxy类实现动态代理最核心的方法:
public static Object newProxyInstance(ClassLoader loader,
Class<?>[] interfaces,
InvocationHandler h)
这个方法的作用:在运行时,动态创建一组指定接口的实现类对象。其中的三大参数:
ClassLoader loader
Class<?>[] interfaces
InvocationHandler h
我们可以先看个简单的例子:
public class DynamicProxyDemo {
@Test
public void test1() {
ClassLoader loader = this.getClass().getClassLoader();
Class[] classes = {Human.class, Car.class};
InvocationHandler h = new InvocationHandler() {
@Override
public Object invoke(Object proxy, Method method, Object[] args) throws Throwable {
System.out.println("来了,老弟~");
return null;
}
};
Human human = (Human) Proxy.newProxyInstance(loader, classes, h);
human.male();
human.toString();
human.getClass();
}
}
interface Human {
Object male();
}
interface Car {
Object bmw();
}
? 输出:
来了,老弟~
来了,老弟~
可以看到,代码并没有报错,因为Proxy.newProxyInstance(loader, classes, h)返回的对象是实现了指定接口的类对象,所以强转成Human没有问题,当调用Human对象的方法时,会执行InvocationHandler里的invoke方法的语句。但是我当我调用getClass()方法时,并没有执行对应的语句,这是由于此方法是native方法,是调用本地的方法。
既然调用代理对象的所有方法(个别除外)都会调用某个方法(invoke()),我们可以在里面进行任意操作,达到前置或者后置增强的效果。
未完待续。
标签:tcl ace method 实现类 loader 作用 override out etc
原文地址:https://www.cnblogs.com/kobelieve/p/10441011.html