1 概述
代理是一种模式,提供了对目标对象的间接访问模式,即通过代理访问目标对象。如此便于在目标实现的基础上增加额外的功能操作如拦截校验,日志记录等,以满足自身的业务需求,代理模式便于扩展目标对象的功能。
2 图形描述
3 静态代理
静态代理的实现比较简单,代理类通过实现与目标对象的接口,并在类中维护一个代理对象,通过构造器塞入目标对象,进而执行代理对象实现的接口方法。可以实现拦截校验,日志记录等所需的业务功能。
package proxystatic; /** * 目标对象实现的接口 * @author tcxpz */ interface BussinessInterface { void execute(); } /** * 目标对象实现类 * @author tcxpz */ class Bussiness implements BussinessInterface{ @Override public void execute() { System.out.println("执行业务逻辑..."); } } /** * 代理类,通过实现与目标对象相同的接口 * 并维护一个代理对象,通过构造器传入实际目标对象并赋值 * 执行代理对象实现的接口方法,实现对目标对象实现的干预 * @author tcxpz */ class BussinessProxy implements BussinessInterface{ private BussinessInterface bussinessImpl; //通过构造器传入实际目标对象并赋值 public BussinessProxy(BussinessInterface bussinessImpl) { this.bussinessImpl = bussinessImpl; } @Override public void execute() { System.out.println("校验拦截..."); bussinessImpl.execute(); System.out.println("日志记录..."); } } public class StaticProxyTest { public static void main(String[] args) { Bussiness b = new Bussiness(); BussinessProxy bp = new BussinessProxy(b); bp.execute(); } }
静态代理的总结
优点:可以做到不对目标对象进行修改的前提下,对目标对象的功能进行扩展
缺点:因为代理对象需要实现与目标对象一样的接口,会导致代理对象十分繁多,不易维护,同时一旦接口增加方法,则目标对象和代理对象都需要维护。
4 动态代理
动态代理是指动态地在内存中构建代理对象(需要我们指定要代理的目标对象实现的接口类型),即利用JDK的API生成指定接口的对象,也称之为JDK代理或者接口代理。
package proxydynamic; import java.lang.reflect.InvocationHandler; import java.lang.reflect.Method; import java.lang.reflect.Proxy; //接口 interface IVehical { void run(); } //具体的实现类 class Car implements IVehical{ public void run() { System.out.println("Car is running"); } } //代理类 class VehicalProxy { private IVehical vehical; public VehicalProxy(IVehical vehical) { this.vehical = vehical; } public IVehical create(){ return (IVehical) Proxy.newProxyInstance( IVehical.class.getClassLoader(), new Class[]{IVehical.class}, new InvocationHandler(){ @Override public Object invoke(Object proxy, Method method,Object[] args) throws Throwable { System.out.println("--before running..."); Object ret = method.invoke(vehical, args); System.out.println("--after running..."); return ret; } }); } } public class DynamicProxyTest { public static void main(String[] args) { IVehical car = new Car(); VehicalProxy proxy = new VehicalProxy(car); IVehical proxyObj = proxy.create(); proxyObj.run(); } }
动态代理的总结
优点:代理对象无需实现接口,免去了编写很多代理类的烦恼,同时接口增加方法也无需再维护目标对象和代理对象,只需在事件处理器中添加对方法的判断即可。
缺点:代理对象不需要实现接口,但是目标对象一定要实现接口,否则无法使用JDK动态代理