设计模式-责任链

在现代的软件开发中,程序低耦合、高复用、w易拓展、易维护
什么是责任链
责任链模式是一种行为设计模式, 允许你将请求沿着处理者链进行发送。收到请求后, 每个处理者均可对请求进行处理, 或将其传递给链上的下个处理者。
使用场景

  • 多条件流程判断:权限控制
  • ERP 系统流程审批:总经理、人事经理、项目经理
  • Java 过滤器的底层实现 Filter

| 反例

假设现在有一个闯关游戏,进入下一关的条件是上一关的分数要高于 xx:

  • 游戏一共 3 个关卡
  • 进入第二关需要第一关的游戏得分大于等于 80
  • 进入第三关需要第二关的游戏得分大于等于 90

那么代码可以这样写:

//第一关  
public class FirstPassHandler {  public int handler(){  System.out.println("第一关-->FirstPassHandler");  return 80;  }  
}  //第二关  
public class SecondPassHandler {  public int handler(){  System.out.println("第二关-->SecondPassHandler");  return 90;  }  
}  //第三关  
public class ThirdPassHandler {  public int handler(){  System.out.println("第三关-->ThirdPassHandler,这是最后一关啦");  return 95;  }  
}  //客户端  
public class HandlerClient {  public static void main(String[] args) {  FirstPassHandler firstPassHandler = new FirstPassHandler();//第一关  SecondPassHandler secondPassHandler = new SecondPassHandler();//第二关  ThirdPassHandler thirdPassHandler = new ThirdPassHandler();//第三关  int firstScore = firstPassHandler.handler();  //第一关的分数大于等于80则进入第二关  if(firstScore >= 80){  int secondScore = secondPassHandler.handler();  //第二关的分数大于等于90则进入第二关  if(secondScore >= 90){  thirdPassHandler.handler();  }  }  }  
}

那么如果这个游戏有 100 关,我们的代码很可能就会写成这个样子:

if(第1关通过){  // 第2关 游戏  if(第2关通过){  // 第3关 游戏  if(第3关通过){  //...  }  }  
}

这种代码不仅冗余,并且当我们要将某两关进行调整时会对代码非常大的改动,这种操作的风险是很高的。

| 初步改造

如何解决这个问题,我们可以通过链表将每一关连接起来,形成责任链的方式,第一关通过后是第二关,第二关通过后是第三关…
这样客户端就不需要进行多重 if 的判断了,各个节点逻辑也清洗。

public class FirstPassHandler {  /**  * 第一关的下一关是 第二关  */  private SecondPassHandler secondPassHandler;  public void setSecondPassHandler(SecondPassHandler secondPassHandler) {  this.secondPassHandler = secondPassHandler;  }  //本关卡游戏得分  private int play(){  return 80;  }  public int handler(){  System.out.println("第一关-->FirstPassHandler");  if(play() >= 80){  //分数>=80 并且存在下一关才进入下一关  if(this.secondPassHandler != null){  return this.secondPassHandler.handler();  }  }  return 80;  }  
}  public class SecondPassHandler {  /**  * 第二关的下一关是 第三关  */  private ThirdPassHandler thirdPassHandler;  public void setThirdPassHandler(ThirdPassHandler thirdPassHandler) {  this.thirdPassHandler = thirdPassHandler;  }  //本关卡游戏得分  private int play(){  return 90;  }  public int handler(){  System.out.println("第二关-->SecondPassHandler");  if(play() >= 90){  //分数>=90 并且存在下一关才进入下一关  if(this.thirdPassHandler != null){  return this.thirdPassHandler.handler();  }  }  return 90;  }  
}  public class ThirdPassHandler {  //本关卡游戏得分  private int play(){  return 95;  }  /**  * 这是最后一关,因此没有下一关  */  public int handler(){  System.out.println("第三关-->ThirdPassHandler,这是最后一关啦");  return play();  }  
}  public class HandlerClient {  public static void main(String[] args) {  FirstPassHandler firstPassHandler = new FirstPassHandler();//第一关  SecondPassHandler secondPassHandler = new SecondPassHandler();//第二关  ThirdPassHandler thirdPassHandler = new ThirdPassHandler();//第三关  firstPassHandler.setSecondPassHandler(secondPassHandler);//第一关的下一关是第二关  secondPassHandler.setThirdPassHandler(thirdPassHandler);//第二关的下一关是第三关  //说明:因为第三关是最后一关,因此没有下一关  //开始调用第一关 每一个关卡是否进入下一关卡 在每个关卡中判断  firstPassHandler.handler();  }  
}

| 缺点

  • 每个关卡中都有下一关的成员变量并且是不一样的,形成链很不方便
  • 代码的扩展性非常不好

|优化

既然每个关卡中都有下一关的成员变量并且是不一样的,那么我们可以在关卡上抽象出一个父类或者接口,然后每个具体的关卡去继承或者实现。示列:

public abstract class AbstractHandler {  /**  * 下一关用当前抽象类来接收  */  protected AbstractHandler next;  public void setNext(AbstractHandler next) {  this.next = next;  }  public abstract int handler();  
}  public class FirstPassHandler extends AbstractHandler{  private int play(){  return 80;  }  @Override  public int handler(){  System.out.println("第一关-->FirstPassHandler");  int score = play();  if(score >= 80){  //分数>=80 并且存在下一关才进入下一关  if(this.next != null){  return this.next.handler();  }  }  return score;  }  
}  public class SecondPassHandler extends AbstractHandler{  private int play(){  return 90;  }  public int handler(){  System.out.println("第二关-->SecondPassHandler");  int score = play();  if(score >= 90){  //分数>=90 并且存在下一关才进入下一关  if(this.next != null){  return this.next.handler();  }  }  return score;  }  
}  public class ThirdPassHandler extends AbstractHandler{  private int play(){  return 95;  }  public int handler(){  System.out.println("第三关-->ThirdPassHandler");  int score = play();  if(score >= 95){  //分数>=95 并且存在下一关才进入下一关  if(this.next != null){  return this.next.handler();  }  }  return score;  }  
}  public class HandlerClient {  public static void main(String[] args) {  FirstPassHandler firstPassHandler = new FirstPassHandler();//第一关  SecondPassHandler secondPassHandler = new SecondPassHandler();//第二关  ThirdPassHandler thirdPassHandler = new ThirdPassHandler();//第三关  // 和上面没有更改的客户端代码相比,只有这里的set方法发生变化,其他都是一样的  firstPassHandler.setNext(secondPassHandler);//第一关的下一关是第二关  secondPassHandler.setNext(thirdPassHandler);//第二关的下一关是第三关  //说明:因为第三关是最后一关,因此没有下一关  //从第一个关卡开始  firstPassHandler.handler();  }  
}

对于上面的请求链,我们也可以把这个关系维护到配置文件中或者一个枚举中。示列

public enum GatewayEnum {  // handlerId, 拦截者名称,全限定类名,preHandlerId,nextHandlerId  API_HANDLER(new GatewayEntity(1, "api接口限流", "cn.dgut.design.chain_of_responsibility.GateWay.impl.ApiLimitGatewayHandler", null, 2)),  BLACKLIST_HANDLER(new GatewayEntity(2, "黑名单拦截", "cn.dgut.design.chain_of_responsibility.GateWay.impl.BlacklistGatewayHandler", 1, 3)),  SESSION_HANDLER(new GatewayEntity(3, "用户会话拦截", "cn.dgut.design.chain_of_responsibility.GateWay.impl.SessionGatewayHandler", 2, null)),  ;  GatewayEntity gatewayEntity;  public GatewayEntity getGatewayEntity() {  return gatewayEntity;  }  GatewayEnum(GatewayEntity gatewayEntity) {  this.gatewayEntity = gatewayEntity;  }  
}  public class GatewayEntity {  private String name;  private String conference;  private Integer handlerId;  private Integer preHandlerId;  private Integer nextHandlerId;  
}  public interface GatewayDao {  /**  * 根据 handlerId 获取配置项  * @param handlerId  * @return  */  GatewayEntity getGatewayEntity(Integer handlerId);  /**  * 获取第一个处理者  * @return  */  GatewayEntity getFirstGatewayEntity();  
}  public class GatewayImpl implements GatewayDao {  /**  * 初始化,将枚举中配置的handler初始化到map中,方便获取  */  private static Map<Integer, GatewayEntity> gatewayEntityMap = new HashMap<>();  static {  GatewayEnum[] values = GatewayEnum.values();  for (GatewayEnum value : values) {  GatewayEntity gatewayEntity = value.getGatewayEntity();  gatewayEntityMap.put(gatewayEntity.getHandlerId(), gatewayEntity);  }  }  @Override  public GatewayEntity getGatewayEntity(Integer handlerId) {  return gatewayEntityMap.get(handlerId);  }  @Override  public GatewayEntity getFirstGatewayEntity() {  for (Map.Entry<Integer, GatewayEntity> entry : gatewayEntityMap.entrySet()) {  GatewayEntity value = entry.getValue();  //  没有上一个handler的就是第一个  if (value.getPreHandlerId() == null) {  return value;  }  }  return null;  }  
}  public class GatewayHandlerEnumFactory {  private static GatewayDao gatewayDao = new GatewayImpl();  // 提供静态方法,获取第一个handler  public static GatewayHandler getFirstGatewayHandler() {  GatewayEntity firstGatewayEntity = gatewayDao.getFirstGatewayEntity();  GatewayHandler firstGatewayHandler = newGatewayHandler(firstGatewayEntity);  if (firstGatewayHandler == null) {  return null;  }  GatewayEntity tempGatewayEntity = firstGatewayEntity;  Integer nextHandlerId = null;  GatewayHandler tempGatewayHandler = firstGatewayHandler;  // 迭代遍历所有handler,以及将它们链接起来  while ((nextHandlerId = tempGatewayEntity.getNextHandlerId()) != null) {  GatewayEntity gatewayEntity = gatewayDao.getGatewayEntity(nextHandlerId);  GatewayHandler gatewayHandler = newGatewayHandler(gatewayEntity);  tempGatewayHandler.setNext(gatewayHandler);  tempGatewayHandler = gatewayHandler;  tempGatewayEntity = gatewayEntity;  }  // 返回第一个handler  return firstGatewayHandler;  }  /**  * 反射实体化具体的处理者  * @param firstGatewayEntity  * @return  */  private static GatewayHandler newGatewayHandler(GatewayEntity firstGatewayEntity) {  // 获取全限定类名  String className = firstGatewayEntity.getConference();   try {  // 根据全限定类名,加载并初始化该类,即会初始化该类的静态段  Class<?> clazz = Class.forName(className);  return (GatewayHandler) clazz.newInstance();  } catch (ClassNotFoundException | IllegalAccessException | InstantiationException e) {  e.printStackTrace();  }  return null;  }  }  public class GetewayClient {  public static void main(String[] args) {  GetewayHandler firstGetewayHandler = GetewayHandlerEnumFactory.getFirstGetewayHandler();  firstGetewayHandler.service();  }  
}

本文来自互联网用户投稿,该文观点仅代表作者本人,不代表本站立场。本站仅提供信息存储空间服务,不拥有所有权,不承担相关法律责任。如若转载,请注明出处:http://www.mzph.cn/news/50176.shtml

如若内容造成侵权/违法违规/事实不符,请联系多彩编程网进行投诉反馈email:809451989@qq.com,一经查实,立即删除!

相关文章

ModaHub魔搭社区:WinPlan企业经营垂直大模型数据建模(二)

目录 维度模版管理 录入维度数据 经营指标 创建经营指标 经营指标管理 维度模版管理 创建维度后,可在维度库的左侧栏展示全部启用中的维度,你也可以再次编辑维度模版;如不再需要该维度,可停用,停用后可在停用管理里重新启用或删除。 1)停用:维度停用后,不会出现在…

LAMP架构

这里写目录标题 LAMP架构一.LAMP架构的组成二.CGI和fastcgi1.CGI2.fastcgi3.比较4.PHP4.2**的** **Opcode** **语言**4.3PHP 配置 三.编译安装Apache http服务1.环境准备2.安装环境依赖包3.解压软件包4.移动apr包 apr-util包到安装目录中&#xff0c;并切换到 httpd-2.4.29目录…

拓扑排序Topological sorting/DFS C++应用例题P1113 杂务

拓扑排序 拓扑排序可以对DFS的基础上做变更从而达到想要的排序效果。因此&#xff0c;我们需要xy准备&#xff0c;vis数组记录访问状态&#xff0c;每一个任务都可以在dfs的过程中完成。 在使用拓扑排序方法时一些规定&#xff1a; 通常使用一个零时栈不会直接输出排序的节点…

压缩包安装mysql

删除 MySQL sc delete mysql 安装mysql mysqld -install

EasyExcel实现多sheet文件导出

文章目录 EasyExcel引入依赖表结构学生表课程表教师表 项目结构下载模板实体类StudentVoCourseVoTeacherVo ControllerServiceEasyExcelServiceStudentServiceCourseServiceTeacherService ServiceImplEasyExcelServiceImplStudentServiceImplCourseServiceImplTeacherServiceI…

Ubuntu 配置国内源

配置国内源 因为众所周知的原因&#xff0c;国外的很多网站在国内是访问不了或者访问极慢的&#xff0c;这其中就包括了Ubuntu的官方源。 所以&#xff0c;想要流畅的使用apt安装应用&#xff0c;就需要配置国内源的镜像。 市面上Ubuntu的国内镜像源非常多&#xff0c;比较有…

cuda编程day001

一、环境&#xff1a; ①、linux cuda-11.3 opecv4.8.0 不知道头文件和库文件路径&#xff0c;用命令查找&#xff1a; # find /usr/local -name cuda.h 2>/dev/null # 查询cuda头文件路径 /usr/local/cuda-11.3/targets/x86_64-linux/include/cuda.h # find /usr/…

走进图算法:C语言实现图的表示与深度优先搜索

走进图算法&#xff1a;C语言实现图的表示与深度优先搜索 图是一种重要的数据结构&#xff0c;它在计算机科学中广泛用于表示各种关系和网络。本篇博客将深入介绍图的基本概念、邻接矩阵表示方法以及深度优先搜索&#xff08;DFS&#xff09;算法的C语言实现示例。 图的基本概…

C#的索引器

索引器 在 C# 中&#xff0c;索引器&#xff08;Indexer&#xff09;是一种特殊的属性&#xff0c;允许通过类的实例像访问数组一样访问对象的元素。索引器允许将类的实例作为集合来使用&#xff0c;可以按照自定义的方式访问类中的元素。 索引器的定义类似于属性&#xff0c…

wazuh环境配置及漏洞复现

目录 一、wazuh配置 1进入官网下载OVA启动软件 2.虚拟机OVA安装 二、wazuh案例复现 1.wazuh初体验 2.这里我们以SQL注入为例&#xff0c;在我们的代理服务器上进行SQL注入&#xff0c;看wazuh如何检测和响应 一、wazuh配置 1进入官网下载OVA启动软件 Virtual Machine (O…

Springboot使用Hibernate-search插件实现搜索

Hibernate search入门 原理是运用hibernate结合lucene来实现局部索引 1、引入jar包配置&#xff08;Hibernate和Lucene包&#xff09; <dependency> <groupId>org.hibernate</groupId> <artifactId>hibernate-search-orm</artifactId> <…

2023国赛数学建模思路 - 案例:粒子群算法

文章目录 1 什么是粒子群算法&#xff1f;2 举个例子3 还是一个例子算法流程算法实现建模资料 # 0 赛题思路 &#xff08;赛题出来以后第一时间在CSDN分享&#xff09; https://blog.csdn.net/dc_sinor?typeblog 1 什么是粒子群算法&#xff1f; 粒子群算法&#xff08;Pa…

c# 方法参数修饰符(out、ref、in)的区别

在C#中&#xff0c;ref、out和in是三种方法参数修饰符&#xff0c;它们在传递参数的方式和作用上有所不同。 ref修饰符&#xff1a; 传递方式&#xff1a;使用ref修饰符的参数可以是输入输出参数&#xff0c;即在方法调用前后都可以对其进行修改。 作用&#xff1a;通过ref修…

js实现滚轮滑动到底部自动加载(完整版)

这里我们用vue实现(原生js相似), 这里我们用一个div当作一个容器; <div class="JL" @scroll="onScroll" ref="inin"> <div v-for="(item,index) in this.list" :key="index" > ....…

JavaScript:交集和差集的应用场景

在集合A和集合B中&#xff0c;属于集合A&#xff0c;同时也属于集合B的元素组成的集合&#xff0c;就是交集。 在A中所有不属于集合B元素&#xff0c;组合成集合&#xff0c;就是差集。 那么在平时的开发中&#xff0c;如何使用差集和交集来解决问题呢&#xff1f; 现在有这…

springboot小知识:配置feign服务超时时间

背景&#xff1a;当前项目通过feign服务调用了其他两个项目的接口&#xff0c;但是由于特殊需求&#xff0c;需要调整某一个项目的feign服务的默认超时时间&#xff1a; 默认连接超时10秒&#xff0c;默认读取超时时间 60秒 1.找到定义的FeignClient 2.根据FeignClient定义的名…

派森 #P128. csv存json格式

描述 编写一个 Python 程序&#xff0c;读取movie.in&#xff08;csv格式&#xff0c;utf-8编码&#xff09; 的数据&#xff0c;将数据转成保存到movie.out(接送格式&#xff0c;utf-8编码)文件中。 格式 输入 movie.in文件&#xff0c;测试格式&#xff0c;utf-8编码。 …

国内ChatGPT对比与最佳方案

很久没写内容了&#xff0c;主要还是工作占据了太多时间。简单分享下我这段时间的研究吧,由于时间仓促&#xff0c;有很多内容没有具体写&#xff0c;请自行到我分享的网站体验查看。 前言 ChatGPT 的出现确实在很大程度上改变了世界。许多人已经亲身体验到了ChatGPT作为一个…

GOLANG面向对象:封装 继承 多态

面向过程转换到面向对象&#xff0c;那么必然会涉及到几个特性&#xff1a;封装&#xff0c;继承&#xff0c;多态&#xff0c;那么Golang中的面向过程会有什么特性&#xff1f;那我们来仔细说一说&#xff1a; 封装&#xff1a; 首先要一个类的概念&#xff0c;类就像一下工厂…

HarmonyOS应用开发者高级认证练习题

系列文章目录 HarmonyOS应用开发者基础认证练习题 HarmonyOS应用开发者高级认证练习题 文章目录 系列文章目录前言一、判断二、单选三、多选 前言 本文所有内容来源于个人进行HarmonyOS应用开发者系列认证的学习过程中所做过的练习题&#xff0c;所有答案均是个人作答&#x…