欢迎您访问程序员文章站本站旨在为大家提供分享程序员计算机编程知识!
您现在的位置是: 首页  >  IT编程

MP(MyBatis-Plus)实现乐观锁更新功能的示例代码

程序员文章站 2022-03-23 21:00:51
实现步骤step1:添加乐观锁拦截器mp的其他拦截器功能可以参考@beanpublic mybatisplusinterceptor mybatisplusinterceptor() { mybat...

实现步骤

step1:添加乐观锁拦截器

mp的其他拦截器功能可以参考

@bean
public mybatisplusinterceptor mybatisplusinterceptor() {
  mybatisplusinterceptor interceptor = new mybatisplusinterceptor();
  interceptor.addinnerinterceptor(new optimisticlockerinnerinterceptor());
  return interceptor;
}

step2:配置entity

@tablefield(fill = fieldfill.update)
@version
private date updatetime;

用更新字段充当版本号。

  • 上面的配置需要注意的是:updatetime既配置自动填充,又配置了乐观锁功能。mp在进行处理时会先进行乐观锁处理,然后再进行自动填充。
  • 问题:前端送了id和一些需要更新的字段过来,每次需要从数据库中查出version,然后再进行更新(要么前端将版本号传过来);
  • 支持的数据类型只有:int,integer,long,long,date,timestamp,localdatetime;
  • 仅支持 updatebyid(id) 与 update(entity, wrapper) 方法,在 update(entity, wrapper) 方法下, wrapper 不能复用!!!
  • 对于updatetime这个字段,在数据库中建议设置成时区不相关的时间戳类型。

多说一点

使用updatetime作为版本号可能会存在一些问题。

我们通常需要将updatetime返回给前端页面,假如我们不做任何设置,返回前端的数据大概是下面的样子:

{
 "userid": 367,
 "address": "上海市*之路xxxxxx...",
 "workunit": "xxxx",
 "createtime": "2020-12-22t00:00:00.000+08:00",
 "updatetime": "2021-01-08t17:28:14.782+08:00"
}

这种时间格式可能不是前端页面需要的,这是我们可以进行如下设置;

spring:
 jackson:
  default-property-inclusion: non_null
  time-zone: gmt+8
  date-format: yyyy-mm-dd hh:mm:ss

返回的数据

{
 "userid": 367,
 "address": "上海市*之路xxxxxx...",
 "workunit": "xxxx",
 "createtime":"2020-12-22 00:00:00",
 "updatetime":"2021-01-08 17:28:14"
}

经过这个配置后,就可以得到可读性比较好的时间格式了。但是我们需要注意的时候,这个时间的精度其实已经丢失了,当前提交修改数据到后端,这个值和数据库中的值已经不相等了。所以永远不能将数据更新成功。

所以这种情况下使用updatetime来进行乐观锁更新就不太适合了。可以考虑在表中另外加一个字段version来进行乐观锁更新。

但其实还是有比较好的解决办法的。

首先,我们不要对返回的时间格式进行全局话配置。

spring:
 jackson:
  default-property-inclusion: non_null
  time-zone: gmt+8
  # date-format: yyyy-mm-dd hh:mm:ss

然后,添加一个updatetime的备份字段updatetimesimpleformat,并对这个字段进行单独的时间格式化。

private date updatetime;

@jsonformat(pattern = "yyyy-mm-dd hh:mm:ss")
private date updatetimesimpleformat;
updatetimesimpleformat不要生成get和set方法,在updatetime的set方法中对updatetimesimpleformat进行赋值。


public void setupdatetime(date updatetime) {
   this.updatetime = updatetime;
   this.updatetimesimpleformat = updatetime;
 }

这样就既能满足前端返回格式化的时间,后端又能获取到乐观锁的版本号。

但是,这个方法比较不好的地方,就是必须对每个时间格式进行@jsonformat注解配置,不能进行全局配置,比较繁琐。

总结:使用updatetime作为乐观锁的优点就是不需要再新加字段,比较简洁。但是带来的问题上面已经讲的很清楚了。还是印证了那个真理:没有完美的技术,只有适合的技术。

到此这篇关于mp(mybatis-plus)实现乐观锁更新功能的示例代码的文章就介绍到这了,更多相关mybatis-plus乐观锁更新内容请搜索以前的文章或继续浏览下面的相关文章希望大家以后多多支持!