您现在的位置是:首页 >其他 >设计模式之代理模式网站首页其他
设计模式之代理模式
简介设计模式之代理模式
一、代理模式
1.1、介绍
二十三种设计模式中的一种,属于结构型模式。
它的作用就是通过提供一个代理类,让我们在调用目标方法的时候,不再是直接对目标方法进行调用,而是通过代理类间接调用。
让不属于目标方法核心逻辑的代码从目标方法中剥离出来——解耦。
调用目标方法时先调用代理对象的方法,减少对目标方法的调用和打扰,同时让附加功能能够集中在一起也有利于统一维护。
使用代理后:
1.2、生活中的代理
- 广告商找大明星拍广告需要经过经纪人
- 合作伙伴找大老板谈合作要约见面时间需要经过秘书
- 房产中介是买卖双方的代理
1.3、相关术语
- 代理: 将非核心逻辑剥离出来以后,封装这些非核心逻辑的类、对象、方法。
- 目标: 被代理“套用”了非核心逻辑代码的类、对象、方法。
二、静态代理
准备:
UserService类
public interface UserService {
Integer add(Integer a, Integer b);
}
UserServiceImpl
public class UserServiceImpl implements UserService {
public Integer add(Integer a, Integer b) {
System.out.println("目标方法内");
Integer result = a + b;
return result;
}
}
静态代理
public class UserServiceProxy implements UserService {
private UserServiceImpl target;
public UserServiceProxy(UserServiceImpl target) {
this.target = target;
}
public Integer add(Integer a, Integer b) {
System.out.println("请求静态方法, 参数: a=" + a + ", b=" + b);
Integer result = target.add(a, b);
System.out.println("请求静态方法, 结果: result=" + result);
return result;
}
}
测试代码
@Test
public void testStaticProxy() {
StaticProxy proxy = new StaticProxy(new UserServiceImpl());
Integer result = proxy.add(2, 4);
}
三、动态代理
动态代理
public class ProxyFactory {
private Object target;
public ProxyFactory(Object target) {
this.target = target;
}
public Object getProxy() {
ClassLoader classLoader = target.getClass().getClassLoader();
Class<?>[] interfaces = target.getClass().getInterfaces();
InvocationHandler h = new InvocationHandler() {
public Object invoke(Object proxy, Method method, Object[] args) throws Throwable {
System.out.println("动态代理, 方法名称: " + method.getName() + ", 参数列表: " + Arrays.toString(args));
Object result = method.invoke(target, args);
System.out.println("动态代理, 方法名称: " + method.getName() + ", 返回结果: " + result);
return result;
}
};
return Proxy.newProxyInstance(classLoader, interfaces, h);
}
}
测试代码
@Test
public void testDynamicProxy() {
ProxyFactory proxyFactory = new ProxyFactory(new UserServiceImpl());
UserService proxy = (UserService) proxyFactory.getProxy();
Integer result = proxy.add(4, 5);
System.out.println("result = " + result);
}
风语者!平时喜欢研究各种技术,目前在从事后端开发工作,热爱生活、热爱工作。