设计模式-23种设计模式-行为型-访问者模式
作者:互联网
一、访问者模式介绍
二、访问者模式引入
需求:
UML类图:
代码实现(Java):
public abstract class Action { //得到男性 的测评 public abstract void getManResult(Man man); //得到女的 测评 public abstract void getWomanResult(Woman woman); }
public class Success extends Action { @Override public void getManResult(Man man) { System.out.println(" 男人给的评价该歌手很成功 !"); } @Override public void getWomanResult(Woman woman) { System.out.println(" 女人给的评价该歌手很成功 !"); } }
public class Wait extends Action { @Override public void getManResult(Man man) { System.out.println(" 男人给的评价是该歌手待定 .."); } @Override public void getWomanResult(Woman woman) { System.out.println(" 女人给的评价是该歌手待定 .."); } }
public class Fail extends Action { @Override public void getManResult(Man man) { System.out.println(" 男人给的评价该歌手失败 !"); } @Override public void getWomanResult(Woman woman) { System.out.println(" 女人给的评价该歌手失败 !"); } }
public abstract class Person extends ObjectStructure { //提供一个方法,让访问者可以访问 public abstract void accept(Action action); }
import java.util.LinkedList; import java.util.List; //数据结构,管理很多人(Man , Woman) public class ObjectStructure { //维护了一个集合 private List<Person> persons = new LinkedList<>(); //增加到list public void attach(Person p) { persons.add(p); } //移除 public void detach(Person p) { persons.remove(p); } //显示测评情况 public void display(Action action) { for(Person p: persons) { p.accept(action); } } }
public class Man extends Person { @Override public void accept(Action action) { action.getManResult(this); } }
//说明 //1. 这里我们使用到了双分派, 即首先在客户端程序中,将具体状态作为参数传递Woman中(第一次分派) //2. 然后Woman 类调用作为参数的 "具体方法" 中方法getWomanResult, 同时将自己(this)作为参数 // 传入,完成第二次的分派 public class Woman extends Person{ @Override public void accept(Action action) { action.getWomanResult(this); } }
public class Client { public static void main(String[] args) { //创建ObjectStructure ObjectStructure objectStructure = new ObjectStructure(); objectStructure.attach(new Man()); objectStructure.attach(new Woman()); //成功 Success success = new Success(); objectStructure.display(success); System.out.println("==============="); Fail fail = new Fail(); objectStructure.display(fail); System.out.println("=======给的是待定的测评========"); Wait wait = new Wait(); objectStructure.display(wait); } }
三、访问者模式注意事项和细节
标签:Woman,23,void,System,class,println,设计模式,public,访问者 来源: https://www.cnblogs.com/RobertYu666/p/14988031.html