Mybatis-Plus自定义dataScpoe拦截器实现数据权限

使用AOP切面,自定义注解,自定义mybatisplus拦截器,使用 JSqlParser 自定拼接where条件。

1、自定义注解@DataScope;注解一般用于Service层或者DAO层(Mapper)

import java.lang.annotation.*;/*** 数据权限过滤注解**/
@Target(ElementType.METHOD)
@Retention(RetentionPolicy.RUNTIME)
@Documented
public @interface DataScope {/*** 用户表的别名** @return*/String userAlias() default "";/*** 用户字段名** @return*/String userColumn() default "";/*** 店铺表的别名** @return*/String shopAlias() default "";/*** 店铺字段名** @return*/String shopColumn() default "";}

2、DataScopeAspect 定义切面

import org.aspectj.lang.JoinPoint;
import org.aspectj.lang.annotation.Aspect;
import org.aspectj.lang.annotation.Before;
import org.springframework.stereotype.Component;/*** 数据权限切面*/
@Aspect
@Component
public class DataScopeAspect {@Before("@annotation(datascope)")public void doBefore(JoinPoint point, DataScope datascope) throws Throwable {resetContextHolders();initContextHolders(datascope);}protected void initContextHolders(DataScope dataScope) {AbstractDataScopeContextHolder.set(dataScope);}private void resetContextHolders() {AbstractDataScopeContextHolder.remove();}}

3、AbstractDataScopeContextHolder 存储和获取dataScpoe上下文对象

/*** DataScope上下文对象*/public abstract class AbstractDataScopeContextHolder {private static final ThreadLocal<DataScope> CONTEXT = new InheritableThreadLocal<>();public static void set(DataScope dataScope) {CONTEXT.set(dataScope);}public static DataScope get() {return CONTEXT.get();}public static void remove() {CONTEXT.remove();}}

4、DataScopeHandler 数据权限dataScope业务处理接口


import net.sf.jsqlparser.JSQLParserException;
import net.sf.jsqlparser.statement.select.PlainSelect;/*** 数据权限处理接口*/
public interface DataScopeHandler {/*** 处理数据权限sql** @param plainSelect sql解析器* @param dataScope   数据范围注解* @throws JSQLParserException SQL解析异常*/void handlerDataScopeSql(PlainSelect plainSelect, DataScope dataScope) throws JSQLParserException;}

5、DataScopeHandlerAutoConfigure 实现 DataScopeHandler 数据权限业务处理类;代码参考:mybatis-mate-datascope/src/main/java/mybatis/mate/datascope/config/DataScopeConfig.java · baomidou/mybatis-mate-examples - Gitee.com

/*** 实现数据权限处理**/
@Configuration
public class DataScopeHandlerAutoConfigure {@BeanDataScopeHandler dataScopeHandler() {return new DataScopeHandler() {/*** 拼接到where条件** @param plainSelect* @param expression*/private void setWhere(PlainSelect plainSelect, Expression expression) {Expression where = plainSelect.getWhere();if (where == null) {// 不存在 where 条件plainSelect.setWhere(new Parenthesis(expression));} else {// 存在 where 条件 and 处理plainSelect.setWhere(new AndExpression(plainSelect.getWhere(), expression));}}/*** 处理数据权限sql* @param plainSelect sql解析器* @param dataScope   数据范围注解* @throws JSQLParserException*/@Overridepublic void handlerDataScopeSql(PlainSelect plainSelect, DataScope dataScope) throws JSQLParserException {// todo 从登录用户中获取数据权限User user = getUser();// 1、仅限本人查看数据权限String userColumn = dataScope.userColumn();if (StrUtil.isNotEmpty(userColumn)) {String userAlias = dataScope.userAlias();String column;if (StrUtil.isEmpty(userAlias)) {column = String.format("%s", userColumn);} else {column = String.format("%s.%s", userAlias, userColumn);}EqualsTo expression = new EqualsTo();expression.setLeftExpression(new Column(column));expression.setRightExpression(new StringValue(user.getUserName()));this.setWhere(plainSelect, expression);}// 2、店铺权限String shopColumn = dataScope.shopColumn();if (StrUtil.isNotEmpty(shopColumn)) {String shopAlias = dataScope.shopAlias();String column;if (StrUtil.isEmpty(shopAlias)) {column = String.format("%s", shopColumn);} else {column = String.format("%s.%s", shopAlias, shopColumn);}// 数据权限数据组装in条件List<String> shops = user.getShops();// 把集合转变为JSQLParser需要的元素列表ItemsList itemsList = new ExpressionList(shops.stream().map(StringValue::new).collect(Collectors.toList()));// 创建in表达式对象,传入列名及in范围列表InExpression inExpression = new InExpression(new Column(column), itemsList);this.setWhere(plainSelect, inExpression);}// 3、其他数据权限处理where条件 todo}};}}

6、DataScopeInnerInterceptor 定义Mybatis-Plus拦截器


import com.baomidou.mybatisplus.core.plugins.InterceptorIgnoreHelper;
import com.baomidou.mybatisplus.core.toolkit.ExceptionUtils;
import com.baomidou.mybatisplus.core.toolkit.PluginUtils;
import com.baomidou.mybatisplus.extension.plugins.inner.InnerInterceptor;
import lombok.extern.log4j.Log4j2;
import net.sf.jsqlparser.JSQLParserException;
import net.sf.jsqlparser.parser.CCJSqlParserUtil;
import net.sf.jsqlparser.statement.Statement;
import net.sf.jsqlparser.statement.select.*;
import org.apache.commons.collections4.CollectionUtils;
import org.apache.ibatis.executor.Executor;
import org.apache.ibatis.mapping.BoundSql;
import org.apache.ibatis.mapping.MappedStatement;
import org.apache.ibatis.session.ResultHandler;
import org.apache.ibatis.session.RowBounds;import java.util.List;/*** Mybatis-Plus数据权限拦截器插件*/
@Log4j2
public class DataScopeInnerInterceptor implements InnerInterceptor {private final DataScopeHandler dataScopeHandler;public DataScopeInnerInterceptor(DataScopeHandler dataScopeHandler) {this.dataScopeHandler = dataScopeHandler;}@Overridepublic void beforeQuery(Executor executor, MappedStatement ms, Object parameter, RowBounds rowBounds, ResultHandler resultHandler, BoundSql boundSql) {// 获取登录用户,或获取其他条件,不执行数据权限  todo User user = getUser();if (null == user) {if (log.isInfoEnabled()) {log.info("未登录无user不执行数据权限");return;}}if (user.getAdmin()) {if (log.isInfoEnabled()) {log.info("管理员不执行数据权限");}return;}// todo ........if (InterceptorIgnoreHelper.willIgnoreTenantLine(ms.getId())) {return;}PluginUtils.MPBoundSql mpBs = PluginUtils.mpBoundSql(boundSql);// 原始SQLString originalSql = mpBs.sql();if (log.isInfoEnabled()) {log.warn("Original SQL: " + originalSql);}try {Statement statement = CCJSqlParserUtil.parse(originalSql);if (statement instanceof Select) {Select select = (Select) statement;// 解析SQLthis.processSelect(select);final String parserSql = statement.toString();mpBs.sql(parserSql);if (log.isInfoEnabled()) {log.warn("parser SQL: " + parserSql);}}} catch (JSQLParserException e) {log.error("Failed to process, Error SQL: {}", originalSql, e);throw ExceptionUtils.mpe("Failed to process, Error SQL: %s", e, originalSql);}}/*** 解析sql** @param select*/protected void processSelect(Select select) {// 处理sqlBodythis.processSelectBody(select.getSelectBody());List<WithItem> withItemsList = select.getWithItemsList();if (!CollectionUtils.isEmpty(withItemsList)) {withItemsList.forEach(this::processSelectBody);}}/*** 处理sqlBody** @param selectBody*/protected void processSelectBody(SelectBody selectBody) {if (selectBody == null) {return;}if (selectBody instanceof PlainSelect) {// 处理 PlainSelectthis.processPlainSelect((PlainSelect) selectBody);} else if (selectBody instanceof WithItem) {// With关键字WithItem withItem = (WithItem) selectBody;/*** jsqlparser 4.3版本 使用 {@code withItem.getSubSelect().getSelectBody())} 代替 {@code withItem.getSelectBody()}*/processSelectBody(withItem.getSubSelect().getSelectBody());} else {// 集合操作 UNION(并集) MINUS(差集)SetOperationList operationList = (SetOperationList) selectBody;List<SelectBody> selectBodyList = operationList.getSelects();if (CollectionUtils.isNotEmpty(selectBodyList)) {selectBodyList.forEach(this::processSelectBody);}}}/*** 处理 PlainSelect** @param plainSelect*/protected void processPlainSelect(PlainSelect plainSelect) {DataScope dataScope = AbstractDataScopeContextHolder.get();if (dataScope != null) {try {dataScopeHandler.handlerDataScopeSql(plainSelect, dataScope);} catch (JSQLParserException e) {throw ExceptionUtils.mpe("Failed to process, Error SQL: %s", e);}}}}

7、MybatisPlusAutoConfigure  把自定义的拦截器添加到MybatisPlus

@Configuration
public class MybatisPlusAutoConfigure {@Beanpublic MybatisPlusInterceptor mybatisPlusInterceptor(DataScopeHandler dataScopeHandler) {MybatisPlusInterceptor interceptor = new MybatisPlusInterceptor();interceptor.addInnerInterceptor(new DataScopeInnerInterceptor(dataScopeHandler));return interceptor;}
}

8、测试使用MybatisPlus写法,同样支持Mybatis 的xml中自己写sql,自己试一下吧。我自己都在用没问题

@DataScope(userColumn = "user_id")
public Map<String, Object> queryPage() {IPage<OperateLog> page = new Page<>(pageNo, pageSize);// 打印sql 查看,sql已经拼接 and user_id = '123'IPage<User> pageData = this.lambdaQuery().page(page);Map<String, Object> map = new HashMap<>();map.put("total", pageData.getTotal());map.put("list", pageData.getRecords());return map;
}

没有啰嗦理论,直接上干货,请提出宝贵意见共同改变世界^_^

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

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

相关文章

7-云原生监控体系-PromQL-函数功能和示例

Prometheus支持几个函数来操作数据。 文章目录 1. 函数语法解释2. count(v instant-vector)3. topk(n, v instant-vector)4. bottomk(n, v instant-vector)5. increase(v range-vector)6. rate(v range-vector)7. rate 和 increase8. irate(v range-vector)9. predict_linear(…

Dockerfile: ENTRYPOINT和CMD的区别

CMD&#xff1a;The main purpose of a CMD is to provide defaults for an executing container. CMD的主要用途是为正在执行的容器提供默认值。也就是指定这个容器启动的时候要运行的命令。 ENTRYPOINT&#xff1a;也是指定这个容器启动的时候要运行的命令。 ———————…

docker菜鸟教程

Docker是一个开源的应用容器引擎&#xff0c;它允许开发者将应用及其依赖打包到一个可移植的容器中&#xff0c;然后发布到任何Linux机器上。以下是Docker的一些基本概念和操作指南&#xff1a; 镜像(Image)&#xff1a;Docker镜像是一个文件系统&#xff0c;它包含了应用程序及…

Golang基础1-基本类型、if、switch、string

基本类型 bool 整数&#xff1a;byte(相当于uint8), rune(相当于int32), int/uint ,int8/uint8 ,int16/uint16 ,int32/uint32 ,int64/uint64 浮点数: float32 ,float64, complex64 ,complex128 array&#xff08;值类型&#xff09;、slice、map、chan&#xff08;引用类型…

【Android】 网络技术

前言 本文用于记录Android网络技术的使用&#xff0c; 包括我们如何发起一条HTTP请求、解析XML、JOSN格式的数据以及最好用的网络库Retrofit。 使用HTTP协议访问网络 关于HTTP协议的工作原理&#xff0c;我们只需要知道客户端向服务器发起一条HTTP请求&#xff0c;服务器接收…

使用VIVE Eye and Facial Tracking SDK 1.3.6.8 开发眼动追踪功能

在虚拟现实&#xff08;VR&#xff09;环境中&#xff0c;眼动追踪技术可以显著增强用户体验和应用的交互性。HTC Vive Focus 3是一款集成了眼动追踪功能的头戴式显示设备。本文详细介绍如何使用VIVE Sense的VIVE Eye and Facial Tracking SDK 1.3.6.8 在 Unity 中实现眼动追踪…

【MySQL 数据宝典】【索引原理】- 001 索引原理分析 (AVL树、B-Tree、B+Tree)

一、索引定义 MySQL官方对索引定义&#xff1a;是存储引擎用于快速查找记录的一种数据结构。需要额外开辟空间和数据维护工作。 索引是物理数据页存储&#xff0c;在数据文件中&#xff08;InnoDB&#xff0c;ibd文件&#xff09;&#xff0c;利用数据页(page)存储。 索引可以…

Rust检查一个Vec<String>是否包含一个特定的子字符串

在Rust中&#xff0c;你可以使用contains方法来检查一个Vec<&str>是否包含特定的字符串。但是&#xff0c;如果你想检查一个Vec是否包含一个特定的子字符串&#xff0c;你需要先将子字符串转换为String。 以下是一个示例代码&#xff0c;展示了如何检查一个Vec是否包…

linux 开机自启 rc.local

rc.local 是启动加载文件 例1. compose启动Harbor 写一个开启自动启动的脚本 [rootharbor harbor]# vim startall.sh #!/bin/bash cd /root/harbor docker-compose stop && docker-compose start给脚本权限 chmod x startall.sh chmod x /etc/rc.d/rc.local #ll 查…

springcloud微服务搭建多数据源(mysql,oracle,postgres,等等)管理模块,支持通过注解方式切换不同类型的数据库

1.背景 同一套微服务管理系统&#xff0c;业务完全一样&#xff0c;但不同的客户可能要求使用自己熟悉的数据库&#xff0c;比如&#xff0c;mysql&#xff0c;oracle&#xff0c;postgres&#xff0c;还有一些国产数据库。如果能够将数据库模块独立出来&#xff0c;兼容各家的…

【数据结构】算法的效率(时间复杂度和空间复杂度)

目录 一.算法的效率 二.时间复杂度 1.概念 2.大O的渐进表示法 3.常见时间复杂度计算举例 三.空间复杂度 四.常见复杂度对比 五. 复杂度的oj练习 1.消失的数字 2.轮转数字&#xff1a; 一.算法的效率 算法在编写成可执行程序后&#xff0c;运行时需要耗费时间资源和空…

【android 问题 之--自问自答】

同一个task 可以放不同进程的activity吗&#xff1f; 答&#xff1a;可以的。 A activity获取C activity的返回值有什么方法&#xff1f; 答&#xff1a;1.最笨的办法是使用stattactivityforresult方法启动A&#xff0c;B&#xff0c;C。在onActivityResult方法中进行 回传返…

Elasticsearch文本分析深度解析

在Elasticsearch的世界里&#xff0c;文本分析是数据索引和检索过程的核心环节&#xff0c;它决定了如何将原始文本转换为可搜索的词汇单元。这一过程不仅关乎索引的效率&#xff0c;更直接影响到搜索结果的相关性和准确性。本文将深入探讨Elasticsearch中的文本分析机制&#…

【C++初阶】string

✅✅✅✅✅✅✅✅✅✅✅✅✅✅✅✅ ✨✨✨✨✨✨✨✨✨✨✨✨✨✨✨✨ &#x1f33f;&#x1f33f;&#x1f33f;&#x1f33f;&#x1f33f;&#x1f33f;&#x1f33f;&#x1f33f;&#x1f33f;&#x1f33f;&#x1f33f;&#x1f33f;&#x1f33f;&#x1f33f;&#x1…

【Linux】信号的产生

目录 一. 信号的概念signal() 函数 二. 信号的产生1. 键盘发送2. 系统调用kill()raise()abort() 3. 软件条件alarm() 4. 硬件异常除零错误:野指针: 三. 核心转储 一. 信号的概念 信号是消息的载体, 标志着不同的行为; 是进程间发送异步信息的一种方式, 属于软中断. 信号随时都…

智能优化算法及 MATLAB 实现(书籍推荐)

智能优化算法及 MATLAB 实现&#xff08;书籍推荐&#xff09; 介绍前言目录第1章 粒子群优化算法原理及其MATLAB实现第2章 哈里斯鹰优化算法原理及其MATLAB实现第3章 沙丘猫群优化算法原理及其MATLAB实现第4章 鲸鱼优化算法原理及其MATLAB实现第5章 大猩猩部队优化算法原理及其…

MQTT学习

MQTT作为一种消息协议&#xff0c;工作在TCP/IP的协议簇下&#xff0c;用在硬件的性能低下&#xff0c;网络较差的情况下使用。 传输消息中有三种身份参与&#xff1a;订阅者、发布者、代理&#xff08;即中间服务器&#xff09;。订阅者发送订阅的主题给中间服务器&#xff0c…

20232801 2023-2024-2 《网络攻防实践》实践八报告

20232801 2023-2024-2 《网络攻防实践》实践八报告 1.实践内容 1.动手实践任务: 对提供的rada恶意代码样本&#xff0c;进行文件类型识别&#xff0c;脱壳与字符串提取&#xff0c;以获得rada恶意代码的编写作者. 2.动手实践任务二&#xff1a;分析Crackme程序 在WinXP Attac…

LeetCode 刷题 -- Day 7

今日题目 题目难度备注226. 翻转二叉树 简单101. 对称二叉树简单222. 完全二叉树的节点个数 简单⭐⭐⭐110. 平衡二叉树 简单⭐⭐⭐257. 二叉树的所有路径简单代码优化能力 树篇 Ⅱ 今日题目题目&#xff1a;226. 翻转二叉树一、源代码二、代码思路 题目&#xff1a;101. 对称…

Chrome 插件如何开发?

开发 Chrome 插件涉及几个关键步骤&#xff0c;包括了解 Chrome 插件的架构、编写必要的代码、测试和发布。以下是开发 Chrome 插件的基本流程&#xff1a; 1. 了解 Chrome 插件的基础知识&#xff1a; - Chrome 插件通常由 HTML、CSS 和 JavaScript 文件组成。 - 它们可…