动态代理模式主要由四个元素共同构成:
1.接口(被代理):接口中的方法是真正要去实现的;
2.被代理类:实现上述接口,这是真正去执行接口中方法的类;
3.代理类:实现InvocationHandler,帮助被代理类实现方法;
4.测试;
举例详解:
1.接口:
/**
* 被代理接口
*/
public interface TestProxyInterface {
//接口定义的name方法
String getName(String name);
}
2.被代理类:
/**
* 测试接口实现类
*/
public class TestProxyImpl implements TestProxyInterface {
/**
* 实现getName方法,返回hello + 参数name;
* @param name
* @return
*/
@Override
public String getName(String name){
return "hello," + name;
}
}
3.代理类:
代理类需要实现Invocationhandler接口,并实现invoke方法;
invoke(Object proxy, Method method, Object[] args)参数解读:
proxy--代理对象(注意,这里是代理对象,而不是被代理对象)
method--对应于在方法实例上调用的接口方法;
args--传入代理方法的参数的对象数组,如果不适用参数则为null,基础类型用要用包装类,比如Integer
/**
* 代理类
*/
public class ProxyHandleImpl implements InvocationHandler {
private Object target;
public ProxyHandleImpl(Object target){
this.target = target;
}
/**
* @param proxy 代理对象(并非被代理对象)
* @param method 对应于代理实例上调用的接口方法
* @param args 传入代理方法的参数的对象数组,如果不适用参数则为null,基础类型要用包装类,如Integer
* @return
* @throws Exception
*/
@Override
public Object invoke(Object proxy, Method method, Object[] args) throws Exception{
Long beginTime = System.currentTimeMillis();
Object obj = method.invoke(target,args);
Long endTime = System.currentTimeMillis();
System.out.println("执行时间="+(endTime - beginTime)+","+"返回值=" + obj);
return obj;
}
}
4.代理类应用:
Proxy.newProxyInstance(ClassLoader loader, Class[] interfaces, InvocationHandler h):
loader-- 类的加载器,执行被代理类的加载器;
interfaces--被代理的接口;
h--代理实现类;
public static void main(String[] args) {
TestProxyImpl testProxy = new TestProxyImpl();
TestProxyInterface testProxyInterface = (TestProxyInterface) Proxy.newProxyInstance(
testProxy.getClass().getClassLoader(), //获取testProxy的类加载器
testProxy.getClass().getInterfaces(), //获取testProxy的接口
new ProxyHandleImpl(testProxy) //将testProxy传进去,通过构造函数将被代理的类传给代理类的target
);
//直接调用接口的任意方法,都可以通过代理类执行,因为实际上创建的是代理类的实例
testProxyInterface.getName("Dynamic proxy");
}
5.返回值:
执行时间=0,返回值=hello,Dynamic proxy
网友评论