动态代理:
在不改变目标对象方法的情况下对方法进行增强
组成部分:
- 被代理对象:真实的对象
- 代理对象:内存中的一个对象
要求:
代理对象必须和被代理对象实现相同的接口
实现
使用Proxy.newProxyInstance()
举栗子:
1.现实生活代理
卖票接口:抽象对象,规定要有卖票的方法
你买火车票 -> 黄牛 -> 12306
你买电脑 -> 电脑的代理商 -> 电脑厂家
2.代理模式三要素
1.真实对象: 12306
2.代理对象: 黄牛
3.抽象对象: 卖票的接口
3.什么是动态代理
在程序运行的过程中创建代理对象
4.代理模式好处
1.对方法进行增强
2.可以拦截方法
5.动态代理的API
Proxy类:
- static Object newProxyInstance(ClassLoader loader, Class<?>[] interfaces, InvocationHandler h)创建代理对象
- 返回值Object: 创建出代理对象
- ClassLoader loader: 类加载器
- Class<?>[] interfaces: 接口数组, 新建的代理对象会实现指定的接口
- InvocationHandler h: 执行处理器, 当代理对象调用方法时,就会执行InvocationHandler的invoke方法
演示:
要求在不改变Student类的前提下,将趴着学习改成站着学习
学生类:
public class Student implements StudentInterface {@Overridepublic void eat(String name) {System.out.println("学生吃" + name);}@Overridepublic void study() {System.out.println("趴着学习");}
}
接口类:
public interface StudentInterface {void eat(String name);void study();
}
测试类:
public class Test {public static void main(String[] args) {Student student = new Student();// 需求:在不改变Student类代码前提下,通过study方法输出,站着学习/*参数一:类加载器:和被代理对象使用相同的类加载器参数二:接口类型Class数组:和被代理对象使用相同接口参数三:完成代理增强的功能*/StudentInterface sp = (StudentInterface) Proxy.newProxyInstance(student.getClass().getClassLoader(), new Class[]{StudentInterface.class}, new InvocationHandler() {// 执行Student类中所有方法都会经过invoke方法,对method方法判断,是想要的方法就可以处理@Overridepublic Object invoke(Object proxy, Method method, Object[] args) throws Throwable {if (method.getName().equals("study")) {System.out.println("站着学习");return null;} else {return method.invoke(student, args);}}});sp.eat("包子");sp.study();}
}