Mybatis拦截器 拦截所有更新操作

一、官网介绍

MyBatis 允许你在已映射语句执行过程中的某一点进行拦截调用。默认情况下,MyBatis 允许使用插件来拦截的方法调用包括:

  • Executor (update, query, flushStatements, commit, rollback, getTransaction, close, isClosed)   拦截执行器的方法;
  • ParameterHandler (getParameterObject, setParameters) 拦截参数的处理;
  • ResultSetHandler (handleResultSets, handleOutputParameters)  拦截结果集的处理;
  • StatementHandler (prepare, parameterize, batch, update, query) 拦截Sql语法构建的处理

 

/ ExamplePlugin.java@Intercepts({@Signature(
type= Executor.class,
method = "update",
args = {MappedStatement.class,Object.class})})public class ExamplePlugin implements Interceptor {
private Properties properties = new Properties();
public Object intercept(Invocation invocation) throws Throwable {
// implement pre processing if need
Object returnObject = invocation.proceed();
// implement post processing if need
return returnObject;
}
public void setProperties(Properties properties) {
this.properties = properties;
}}



这些类中方法的细节可以通过查看每个方法的签名来发现,或者直接查看 MyBatis 发行包中的源代码。 如果你想做的不仅仅是监控方法的调用,那么你最好相当了解要重写的方法的行为。 因为如果在试图修改或重写已有方法的行为的时候,你很可能在破坏 MyBatis 的核心模块。 这些都是更低层的类和方法,所以使用插件的时候要特别当心。
通过 MyBatis 提供的强大机制,使用插件是非常简单的,只需实现 Interceptor 接口,并指定想要拦截的方法签名即可。

二、具体实现

1、业务需求

业务需求是在原来基础上做一个离线版的系统,需要把在线版选择的业务数据导出,导入到离线版中操作,同时在线版导出的数据需要上锁,不能进行更新操作和相关联的新增操作。

2、具体实现

统计所有相关的业务表,增加上锁的标志位(is_lock),默认值为0为未上锁状态,1为上锁状态。自定义mybatis拦截器,拦截所有更新操作 ,截取sql语句判断当前数据表是否为相关的业务表,如果是则追加 and is_lock = "0" 的筛选条件。如果未加锁该记录会被更新,如果加锁则该记录不会发生变化。

你可能感兴趣的:(Java,Mybatis)