SpringBoot自定义拦截器实现权限过滤功能(基于责任链模式)

news2024/11/26 13:37:44

前段时间写过一篇关于自定义拦截器实现权限过滤的文章,当时是用了自定义mybatis拦截器实现的:SpringBoot自定义Mybatis拦截器实现扩展功能(比如数据权限控制)。最近学习设计模式发现可以用责任链模式实现权限过滤,因此本篇采用责任链模式设计实现权限功能,算是抛砖引玉吧!

权限过滤功能基于责任链模式

  • 前言
  • 一、项目整体架构
  • 二、项目介绍
    • 1.权限注解及权限处理器
    • 2.自定义权限拦截器
    • 3.抽象权限处理类及其handler实现
    • 4.统一响应结果封装类
    • 5.统一异常处理
    • 6.将自定义拦截器加入到SpringBoot 的拦截器列表中
    • 7.Controller层
    • 8.Service层
  • 三、测试
    • 1.设置模拟用户读权限
    • 2.设置模拟用户读写权限
  • 总结


前言

项目采用Spring Boot 2.7.12 + JDK 8实现,权限认证就是一个拦截的过程,所以在实现的时候理论上可以做到任意的配置,对任意接口设置任意规则。考虑到鉴权是一系列顺序执行,所以使用了责任链模式进行设计和实现。


一、项目整体架构

在这里插入图片描述
项目下载地址,欢迎各位靓仔靓妹Star哦~~
permission

二、项目介绍

1.权限注解及权限处理器

Authority注解用于对controller层设置不同的读写类型

/**
 * 权限注解
 *
 * @author huahua
 */
@Target(ElementType.METHOD)
@Retention(RetentionPolicy.RUNTIME)
public @interface Authority {

    /**
     * 方法描述
     */
    String description();

    /**
     * 权限名称
     */
    String permissionName() default "";

    /**
     * 权限类型,1读,2读写
     */
    int type() default 1;

    /**
     * 不允许访问的用户id
     */
    int notAllow() default 0;
}

AuthorityBeanPostProcess

/**
 * 权限处理器
 *
 * @author huahua
 */
@Component
public class AuthorityBeanPostProcess implements BeanPostProcessor {
    public static Map<String,Authority> map = new HashMap();
    @Override
    public Object postProcessAfterInitialization(Object bean, String beanName) throws BeansException {
        Class<?> aClass = bean.getClass();
        Method[] declaredMethods = aClass.getDeclaredMethods();
        for (Method method : declaredMethods) {
            if (method.isAnnotationPresent(Authority.class)) {
                String name = method.getName();
                Authority annotation = method.getAnnotation(Authority.class);
                map.put(name,annotation);
            }
        }
        return bean;
    }
}

2.自定义权限拦截器

AuthorityInterceptor
在springBoot项目启动时,把所有被@Authority注解注释的方法筛选出来,并且放入缓存中(这里直接放到了map中)备用。这里也可以将方法存入数据库中,字段就是权限的各种拦截方式,可以根据需要自己调整,并且配合责任链模式,扩展、调整都很方便。

/**
 * 自定义的权限拦截器
 *
 * @author huahua
 */
@Component
public class AuthorityInterceptor implements HandlerInterceptor {
    @Override
    public boolean preHandle(HttpServletRequest request, HttpServletResponse response, Object handler) throws Exception {
        if (handler instanceof HandlerMethod) {
            HandlerMethod handlerMethod = (HandlerMethod) handler;
            String name = handlerMethod.getMethod().getName();
            //拦截器想要获取容器中bean需要拿到bean工厂进行getBean()
            BeanFactory factory = WebApplicationContextUtils.getRequiredWebApplicationContext(request.getServletContext());
            AuthorityHandlerProcess authorityProcess = factory.getBean("authorityProcess", AuthorityHandlerProcess.class);
            //从redis或者缓存中取得方法与权限关系
            Authority authority = AuthorityBeanPostProcess.map.get(name);
            if (authority != null) {
                //对当前用户进行权限校验
                //实际场景中,需要根据当前登录用户身份从数据库中查询其权限角色信息
                //获取用户信息。因为用户已经登录了,那么user的信息是保存在我们的缓存里的,token获取,这里写一个假数据。
                User user = new User();
                //模拟一个用户,设置其权限类型,1读,2读写
                user.setAuthority(1);
                user.setId(1);
                try {
                    //责任链调用,可以动态配置调用规则,即权限校验规则,
                    authorityProcess.process(user, authority);
                } catch (Exception e) {
                    //统一捕捉异常,返回错误信息
                    throw new BusinessException(ExceptionEnum.FORBIDDEN.getCode(),
                            ExceptionEnum.FORBIDDEN.getMsg(), "不允许的操作类型");
                }
            }
        }
        return true;
    }
}

3.抽象权限处理类及其handler实现

AbstractAuthorityHandler

/**
 * 抽象权限处理类
 *
 * @author huahua
 */
public abstract class AbstractAuthorityHandler {
    abstract void processHandler(User user, Authority authority) throws Exception;
}

AuthorityHandlerProcess

/**
 * 权限处理器
 *
 * @author huahua
 */
@Component("authorityProcess")
public class AuthorityHandlerProcess {
    //读取yaml配置文件配置的各个拦截器handler,可以自定义或者从其他地方读取
    @Value("#{'${requirement.handler}'.split(',')}")
    private List<String> handlers;

    public void process(User user, Authority authority) throws Exception{
        // 如果想要实时的进行顺序的调整或者是增减。那必须要使用配置中心进行配置。
        // 比如springcloud里边自带的config的配置中心,applo 配置中心。
        for(String handler : handlers) {
            //forName要包含包名和类名,不然就会报 ClassNotFoundException 错误,因为通过反射实例化类时传递的类名称必须是全路径名称
            AbstractAuthorityHandler handle =
                    (AbstractAuthorityHandler) Class.forName(handler).newInstance();
            handle.processHandler(user, authority);
        }
    }
}

AuthorityNotAllowHandler

/**
 * 不允许操作的handler
 *
 * @author huahua
 */
public class AuthorityNotAllowHandler extends AbstractAuthorityHandler {
    @Override
    void processHandler(User user, Authority authority){
        if (authority.notAllow() == user.getId()) {
            throw new BusinessException(ExceptionEnum.FORBIDDEN.getCode(),
                    ExceptionEnum.FORBIDDEN.getMsg(), "不允许的访问id");
        }
    }
}

AuthorityTypeHandler

/**
 * 不允许操作类型的handler
 *
 * @author huahua
 */
public class AuthorityTypeHandler extends AbstractAuthorityHandler{
    @Override
    void processHandler(User user, Authority authority) {
        if (authority.type() > user.getAuthority()) {
            throw new BusinessException(ExceptionEnum.FORBIDDEN.getCode(),
                    ExceptionEnum.FORBIDDEN.getMsg(), "不允许的操作类型");
        }
    }
}

4.统一响应结果封装类

ErrorCode错误码

/**
 * 错误码
 *
 * @author huahua
 */
@Data
public class ErrorCode {
    private final Integer code;

    private final String msg;

    public ErrorCode(Integer code, String msg) {
        this.code = code;
        this.msg = msg;
    }
}

R响应结果

/**
 * 统一响应结果封装类
 *
 * @author huahua
 */
@Data
@Accessors(chain = true)
public class R<T> {

    /**
     * 状态码
     */
    private Integer code;

    /**
     * 响应信息
     */
    private String msg;

    /**
     * 数据
     */
    private T data;

    /**
     * 状态码200 + 固定成功信息提示(’success‘)
     *
     * @return 实例R
     */
    public static R success() {
        return new R()
                .setCode(HttpStatus.OK.value())
                .setMsg("success");
    }

    /**
     * 状态码200 + 固定成功信息提示(’success‘)+ 自定义数据
     *
     * @param data 数据
     * @param <T>  回显数据泛型
     * @return 实例R
     */
    public static <T> R success(T data) {
        return success().setData(data);
    }

    /**
     * 状态码500 + 固定错误信息提示('fail')的失败响应
     *
     * @return 实例R
     */
    public static R fail() {
        return new R()
                .setCode(HttpStatus.INTERNAL_SERVER_ERROR.value())
                .setMsg("fail");
    }

    /**
     * 状态码500 + 自定义错误信息的失败响应
     *
     * @param msg  错误信息
     * @return 实例R
     */
    public static <T> R fail(String msg) {
        return new R()
                .setCode(HttpStatus.INTERNAL_SERVER_ERROR.value())
                .setMsg(msg);
    }

    /**
     * 状态码自定义 + 错误信息自定义的失败响应
     * {@link GlobalErrorCodeConstants}
     *
     * @param data 数据
     * @param msg  错误信息
     * @return 实例R
     */
    public static R fail(Integer errorCode, String msg) {
        return fail()
                .setCode(errorCode)
                .setMsg(msg);
    }

    /**
     * 自定义错误类封装的失败响应
     *
     * @param error 自定义错误类
     * @return 实例R
     * @see ErrorCode
     */
    public static R fail(ErrorCode error) {
        return fail()
                .setCode(error.getCode())
                .setMsg(error.getMsg());
    }
}

5.统一异常处理

关于统一异常处理,可以参考Spring、SpringBoot统一异常处理的3种方法。
通过 Spring 的 AOP 特性就可以很方便的实现异常的统一处理:使用@ControllerAdvice、@RestControllerAdvice捕获运行时异常。
ExceptionEnum异常枚举类

/**
 * 异常枚举类
 *
 * @author huahua
 */
public enum ExceptionEnum {
    // 400
    BAD_REQUEST("400", "请求数据格式不正确!"),
    UNAUTHORIZED("401", "登录凭证过期!"),
    FORBIDDEN("403", "没有访问权限!"),
    NOT_FOUND("404", "请求的资源找不到!"),

    // 500
    INTERNAL_SERVER_ERROR("500", "服务器内部错误!"),
    SERVICE_UNAVAILABLE("503", "服务器正忙,请稍后再试!"),

    // 未知异常
    UNKNOWN("10000", "未知异常!"),

    // 自定义
    IS_NOT_NULL("10001","%s不能为空");

    /**
     * 错误码
     */
    private String code;

    /**
     * 错误描述
     */
    private String msg;

    ExceptionEnum(String code, String msg) {
        this.code = code;
        this.msg = msg;
    }

    public String getCode() {
        return code;
    }

    public String getMsg() {
        return msg;
    }
}

BusinessException自定义业务异常类

/**
 * 自定义业务异常类
 *
 * @author huahua
 */
public class BusinessException extends RuntimeException {

    private ExceptionEnum exceptionEnum;
    private String code;
    private String errorMsg;

    public BusinessException() {
        super();
    }

    public BusinessException(ExceptionEnum exceptionEnum) {
        super("{code:" + exceptionEnum.getCode() + ",errorMsg:" + exceptionEnum.getMsg() + "}");
        this.exceptionEnum = exceptionEnum;
        this.code = exceptionEnum.getCode();
        this.errorMsg = exceptionEnum.getMsg();
    }

    public BusinessException(String code, String errorMsg) {
        super("{code:" + code + ",errorMsg:" + errorMsg + "}");
        this.code = code;
        this.errorMsg = errorMsg;
    }

    public BusinessException(String code, String errorMsg, Object... args) {
        super("{code:" + code + ",errorMsg:" + String.format(errorMsg, args) + "}");
        this.code = code;
        this.errorMsg = String.format(errorMsg, args);
    }

    public ExceptionEnum getExceptionEnum() {
        return exceptionEnum;
    }

    public String getErrorMsg() {
        return errorMsg;
    }

    public void setErrorMsg(String errorMsg) {
        this.errorMsg = errorMsg;
    }

    public String getCode() {
        return code;
    }

    public void setCode(String code) {
        this.code = code;
    }
}

RestControllerAdvice统一异常处理

/**
 * RestControllerAdvice,统一异常处理
 *
 * @author huahua
 */
@Slf4j
@RestControllerAdvice
public class ExceptionHandlerConfig {

    /**
     * 业务异常处理
     *
     * @param e 业务异常
     * @return
     */
    @ExceptionHandler(value = BusinessException.class)
    @ResponseBody
    public R exceptionHandler(BusinessException e) {
        return R.fail(Integer.valueOf(e.getCode()), e.getErrorMsg());
    }

    /**
     * 未知异常处理
     */
    @ExceptionHandler(value = Exception.class)
    @ResponseBody
    public R exceptionHandler(Exception e) {
        return R.fail(Integer.valueOf(ExceptionEnum.UNKNOWN.getCode()),
                ExceptionEnum.UNKNOWN.getMsg());
    }

    /**
     * 空指针异常
     */
    @ExceptionHandler(value = NullPointerException.class)
    @ResponseBody
    public R exceptionHandler(NullPointerException e) {
        return R.fail(Integer.valueOf(ExceptionEnum.INTERNAL_SERVER_ERROR.getCode()),
                ExceptionEnum.INTERNAL_SERVER_ERROR.getMsg());
    }
}

6.将自定义拦截器加入到SpringBoot 的拦截器列表中

如果不加入Spring Boot拦截器列表,自定义拦截器不会生效。
WebConfig

/**
 * 将自定义拦截器加入到SpringBoot 的拦截器列表中
 *
 * @author huahua
 */
@Configuration
@Component
public class WebConfig implements WebMvcConfigurer {
    @Autowired
    private AuthorityInterceptor authorityInterceptor;

    @Override
    public void addInterceptors(InterceptorRegistry registry) {
        registry.addInterceptor(this.authorityInterceptor).addPathPatterns("/**");
    }
}

7.Controller层

UserController

@RestController
@RequestMapping("user")
public class UserController {
    @Autowired
    private UserService userService;

    @GetMapping("/getUser/{id}")
    @Authority(description = "获得用户信息",permissionName = "user:getUser",type = 1)
    R getUser(@PathVariable("id") Integer id) {
        return R.success(userService.queryUser(id));
    }

    @DeleteMapping("deleteUser/{id}")
    @Authority(description = "删除用户信息",permissionName = "user:deleteUser",type = 2,notAllow = 2)
    R deleteUser(@PathVariable("id") Integer id) {
        return R.success(userService.deleteUser(id));
    }
}

8.Service层

@Service
public class UserService {

    /**
     * 查询
     *
     * @param id 用户id
     * @return User
     */
    public User queryUser(Integer id) {
        return User.builder().id(id).age(20).address("武当山").name("三丰啊").authority(1).build();
    }

    /**
     * 删除
     *
     * @param id 用户id
     * @return int
     */
    public int deleteUser(Integer id) {
        return 1;
    }
}

三、测试

1.设置模拟用户读权限

AuthorityInterceptor自定义拦截器,模拟设置用户只有读权限即 user.setAuthority(1)
在这里插入图片描述
测试查询接口,可以发现该用户拥有查询权限
在这里插入图片描述
在这里插入图片描述
测试删除接口,可以发现该用户没有删除权限
在这里插入图片描述
在这里插入图片描述

2.设置模拟用户读写权限

AuthorityInterceptor自定义拦截器,模拟设置用户有读写权限即 user.setAuthority(2).
测试查询接口,可以发现该用户拥有查询权限



测试删除接口,可以发现该用户拥有删除权限


在这里插入图片描述


总结

通过责任链模式实现了权限校验功能,此项目还有好多地方功能不完美或者说是不完善,需要迭代扩展和优化,后续会及时更新优化。

参考资料
SpringBoot —— 统一异常处理
SpringBoot 自定义拦截器 HandlerInterceptor 方法没有生效
Class.forName()报 classnotfoundexception 错误解决办法
权限认证实现(责任链模式)
浅谈(chain of responsibility)责任链模式
责任链设计模式及其典型应用场景剖析

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

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

相关文章

Docker(概述、安装、配置、镜像操作)

一、docker是什么&#xff1f; docker是一种go语言开发的应用容器引擎&#xff0c;运行容器里的应用。docker是用来管理容器和镜像的一种工具。 容器引擎&#xff1a;docker、rocket、podman、containerd 容器与虚拟机的区别 容器&#xff1a;所有容器共享宿主机内核。使用…

【手撕Spring源码】AOP

文章目录 AOP 实现之 ajc 编译器AOP 实现之 agent 类加载AOP 实现之 proxyJDK代理CGLIB代理JDK动态代理进阶CGLIB代理进阶MethodProxy JDK 和 CGLIB 在 Spring 中的统一切点匹配从 Aspect 到 Advisor通知转换调用链执行静态通知调用动态通知调用 AOP 底层实现方式之一是代理&am…

Java/Compose Desktop项目中进行python调用

写在前面 开发compose desktop项目爬网站时遇到验证码处理不方便需要借助python庞大的处理能力&#xff0c;这时需要再项目中调用python去执行获取结果&#xff0c;这里记录一下使用过程。 本次开发记录基于&#xff1a;python 3.9&#xff0c;compose 1.3 java17 工具&#x…

2年测试我迷茫了,软件测试大佬都会哪些技能?我的测试进阶之路...

目录&#xff1a;导读 前言一、Python编程入门到精通二、接口自动化项目实战三、Web自动化项目实战四、App自动化项目实战五、一线大厂简历六、测试开发DevOps体系七、常用自动化测试工具八、JMeter性能测试九、总结&#xff08;尾部小惊喜&#xff09; 前言 Python自动化测试&…

【MCS-51单片机汇编语言】期末复习总结④——求定时器初值(题型四)

文章目录 重要公式T~机器~ 12 / ∫~晶振~(2^n^ - X) * T~机器~ T~定时~ 工作方式寄存器TMOD常考题型例题1题解方式0方式1 关于定时器的常考题目为已知晶振 ∫ 、定时时间&#xff0c;求定时器初值。 重要公式 T机器 12 / ∫晶振 (2n - X) * T机器 T定时 其中n为定时器位数…

线性代数2:矩阵(1)

目录 矩阵&#xff1a; 矩阵的定义&#xff1a; 0矩阵 方阵 同型矩阵&#xff1a; 矩阵相等的判定条件 矩阵的三则运算&#xff1a; 乘法的适用条件 矩阵与常数的乘法&#xff1a; 矩阵的乘法&#xff1a; 矩阵的乘法法则&#xff1a; Note1&#xff1a; Note2&…

【数据库】表数据delete了,表文件大小不变

背景 在本周的时候&#xff0c;接到了短信数据空间报警短信&#xff0c;提示的是磁盘空间占用80以上&#xff0c;而这个数据库总体的存储量一共100G&#xff0c;商量之后决定在不升配置的前提下&#xff0c;删除一些不需要的数据表。比如针对A表删除1000W数据。但是和DBA沟通后…

FAST-LIO2论文阅读

目录 迭代扩展卡尔曼滤波增量式kd-tree&#xff08;ikd-tree&#xff09;增量式维护示意图ikd-tree基本结构与构建ikd-tree的增量更新&#xff08;Incremental Updates&#xff09;逐点插入与地图下采样使用lazy labels的盒式删除属性更新 ikd-tree重平衡平衡准则重建及并行重建…

SMTP简单邮件传输协议(C/C++ 发送电子邮件)

SMTP是用于通过Internet发送电子邮件的协议。电子邮件客户端&#xff08;如Microsoft Outlook或macOS Mail应用程序&#xff09;使用SMTP连接到邮件服务器并发送电子邮件。邮件服务器还使用SMTP将邮件从一个邮件服务器交换到另一个。它不用于从服务器下载电子邮件&#xff1b;相…

jmeter安装及使用

jmeter安装及使用 一、说明二、安装2.1 目录结构 三、使用3.1 运行jmeter3.2 设置语言3.3 设置线程组3.3.1 设置压测请求3.3.2 设置汇总报告3.3.3 设置结果树 3.4 开始压测 四、导出执行报告4.1 保存配置4.2 执行命令4.3 生成报告常见问题 一、说明 最近需要对项目接口进行压测…

vue简单实现一个类似微信左右滑动更多功能

1、需求背景 产品需要在购物车加一个左右滑动更多的功能&#xff0c;由于是PC端&#xff0c;大致扫描了下使用的UI库&#xff0c;貌似没有单独提供此类组件&#xff0c;反正有时间&#xff0c;就自己造一个轮子试试 2、先看效果 大致有一个橡皮筋的效果&#xff0c;可能没那…

分布式锁方案学习

很久没有写文章了&#xff0c;前些天的面试被问到了分布式锁的解决方案&#xff0c;回答的比较简单&#xff0c;只知道Redis&#xff0c;Mysql&#xff0c;Zookeeper能够作为分布式锁应用&#xff0c;今天就来详细的学习一下这三种分布式锁的设计思想及原理。 能够来看这篇文章…

05WEB系统的通信原理图

WEB系统的通信原理 名称作用URL统一资源定位符, 例如:http://www.baidu.com域名在https://www.baidu.com/这个网址中www.baidu.com 是一个域名IP地址计算机在网络当中的一个身份证号, 在同一个网络当中IP地址是唯一的, 有了IP地址两台计算机直接才能建立连接通信端口号一个计算…

如何让你的汇报更有说服力?数据监控是关键!

第5讲中玩过一个扫雷游戏&#xff0c;目标是排除计划中的“延期地雷”&#xff0c;但是&#xff0c;总有些“雷”防不胜防。我们在做计划的时候&#xff0c;明明已经想得非常周全了&#xff0c;可是&#xff0c;真正开工几天之后才发现&#xff0c;很多事情并没有那么简单。 1…

4-1 活动安排问题

1.什么是贪心算法 我的理解&#xff1a; 贪心算法是一种常用的问题求解方法&#xff0c;它在每个步骤上都选择当前看起来最优的解&#xff0c;而不考虑整体的最优解。简单来说&#xff0c;贪心算法采取局部最优的决策&#xff0c;希望通过每个局部最优解的选择&#xff0c;最终…

网络安全面试题大全(整理版)500+面试题附答案详解,最全面详细,看完稳了

前言 随着国家政策的扶持&#xff0c;网络安全行业也越来越为大众所熟知&#xff0c;想要进入到网络安全行业的人也越来越多。 为了拿到心仪的Offer之外&#xff0c;除了学好网络安全知识以外&#xff0c;还要应对好企业的面试。 作为一个安全老鸟&#xff0c;工作这么多年&…

全网最全的网络安全技术栈内容梳理(持续更新中)

前言 本文篇幅比较长~~耐心看完哦~ 网络安全真的那么好吗 据我了解现在我国网络安全人才缺口相当大&#xff0c;预计在2023年这方面人才缺口达到327万&#xff0c;我每年这方面的大学生才2W多。现在各政企都在发展数字化变革&#xff0c;对网络安全方面人才也是垂涎若渴&…

【31】核心易中期刊推荐——电子信息技术计算机技术

🚀🚀🚀NEW!!!核心易中期刊推荐栏目来啦 ~ 📚🍀 核心期刊在国内的应用范围非常广,核心期刊发表论文是国内很多作者晋升的硬性要求,并且在国内属于顶尖论文发表,具有很高的学术价值。在中文核心目录体系中,权威代表有CSSCI、CSCD和北大核心。其中,中文期刊的数…

06SpringCloud rabbitmq安装

rabbitmq安装 说明&#xff1a;请使用资料里提供的CentOS-7-x86_64-DVD-1810.iso 安装虚拟机. 1. 安装依赖环境 在线安装依赖环境&#xff1a; yum install build-essential openssl openssl-devel unixODBC unixODBC-devel make gcc gcc-c kernel-devel m4 ncurses-devel …

动态规划-概率DP

Bag of mice 题面翻译 https://www.luogu.com.cn/problem/CF148D 袋子里有 w w w 只白鼠和 b b b 只黑鼠 &#xff0c;A和B轮流从袋子里抓&#xff0c;谁先抓到白色谁就赢。A每次随机抓一只&#xff0c;B每次随机抓完一只之后会有另一只随机老鼠跑出来。如果两个人都没有抓到…