定义

代理模式为另一个对象提供一个替身或占位符以控制对这个对象的访问
**

  • 使用代理模式创建代表对象, 让代表对象控制某对象的访问, 被代理的对象可以是远程的对象, 创建开销大的对象或需要安全控制的对象
  • 远程代理管理客户和远程对象之间的交互
  • 虚拟代理控制访问实例化开销大的对象
  • 保护代理基于调用者控制对对象方法的访问
  • 代理模式有很多变体例如: 缓存代理, 同步代理, 防火墙代理, 和写入时复制代理等

image.png

远程代理

image.png

案例

糖果机需要一个可以远程监控的监控机, 通过代理模式, java rmi实现
image.png

虚拟代理

image.png
image.png

保护代理

  • 动态代理之所以被称为动态, 是因为运行时才将他的类创建出来, 代码开始执行时, 还没有proxy类, 它是根据需要从你传入的接口集创建的

利用java的动态代理来实现保护代理
image.png

案例

背景: 只能给别人评分, 可以设置自己的姓名
image.png

PersonBean

  1. public interface PersonBean {
  2. String getName();
  3. void setName(String name);
  4. int getRate();
  5. void setRate(int rate);
  6. }

PersonBeanImpl

  1. public class PersonBeanImpl implements PersonBean {
  2. private String name;
  3. private int rate;
  4. public PersonBeanImpl(String name, int rate) {
  5. this.name = name;
  6. this.rate = rate;
  7. }
  8. @Override
  9. public String getName() {
  10. return name;
  11. }
  12. @Override
  13. public void setName(String name) {
  14. this.name = name;
  15. }
  16. @Override
  17. public int getRate() {
  18. return rate;
  19. }
  20. @Override
  21. public void setRate(int rate) {
  22. this.rate = rate;
  23. }
  24. }

OwnerInvocationHandler

  1. public class OwnerInvocationHandler implements InvocationHandler {
  2. PersonBean person;
  3. public OwnerInvocationHandler(PersonBean person) {
  4. this.person = person;
  5. }
  6. @Override
  7. public Object invoke(Object proxy, Method method, Object[] args) throws Throwable {
  8. try {
  9. if (method.getName().equals("setName") || method.getName().startsWith("get")) {
  10. return method.invoke(person, args);
  11. } else {
  12. throw new IllegalAccessException();
  13. }
  14. } catch (InvocationTargetException e) {
  15. e.printStackTrace();
  16. }
  17. return null;
  18. }
  19. }

测试

  1. @Test
  2. public void testProxy() {
  3. PersonBeanImpl personBean = new PersonBeanImpl("小王", 9);
  4. PersonBean ownerProxy = getOwnerProxy(personBean);
  5. System.out.println(ownerProxy.getName());
  6. System.out.println(ownerProxy.getRate());
  7. ownerProxy.setName("小张");
  8. System.out.println(ownerProxy.getName());
  9. try {
  10. ownerProxy.setRate(1);
  11. } catch (Exception e) {
  12. System.out.println("不能设置自己的分数!");
  13. }
  14. }
  15. private PersonBean getOwnerProxy(PersonBean person) {
  16. return (PersonBean) Proxy.newProxyInstance(person.getClass().getClassLoader(), person.getClass().getInterfaces(),
  17. new OwnerInvocationHandler(person));
  18. }
  19. }
  20. 测试结果:
  21. 小王
  22. 9
  23. 小张
  24. 不能设置自己的分数!

image.png

image.png