首页 > 作文

tk.mybatis通用插件updateByPrimaryKeySelective无法自动更新列的解决办法

更新时间:2023-04-03 23:51:48 阅读: 评论:0

tk.mybatis是一个很好用的通用插件,把crud这些基本的数据操作全都用动态sql语句自动生成了,mapper和xml里十分清爽,但是昨天发现有一个小坑,记录在此:

有一张表,结构如下(已经简化了):

create table `t_sample` (  `id` bigint(20) not null auto_increment comment '自增id',  `empcode` varchar(8) not null default '' comment '员工号',  `datachange_lasttime` timestamp not null default current_timestamp on update current_timestamp comment '时间戳',  primary key (`id`),  unique key `idx_unique_empcode` (`empcode`),  key `idx_datachange_lasttime` (`datachange_lasttime`)) engine=innodb auto_increment=561 default chart=utf8mb4 comment='test'

有一列datachange_lasttime,设置了update时, 让mysql自动更新成当前时间,这样只要记录有变化,通过这一列就能知道什么时候变化的(这也是很多公司的数据库开发规范之一)

然后tk.mybatis里提供了一个很方便的方法:updatebyprimarykeylective,用法如下:

@testpublic void testdatachangelasttime() {    sampleentity sample = sampleentitymapper.lectbyprimarykey(560);    long changelasttime1 = sample.getdatachangelasttime().gettime();    sample.tempcode("test");    int affectedrows = sampleentitymapper.updatebyprimarykeylective(sample);    system.out.println(affectedrows);    long changelasttime2 = sample.getdatachangelasttime().gettime();     asrt.asrtnotequals(changelasttime1, changelasttime2);}

代码很简单,先根据主键id,取出一条记录,然后再根据业务要求,修改某一列,然后提交。运行后,发现datachange_lasttime这列并没按预期那样,更新成当前时间,仍然是旧的时间戳。(上面的单元测试将会失败)

把日志级别调整成debug,观察了下最终生成的update语句,如下:

22:41:23.933 [main] debug – ==> preparing: update t_sample t id = id,empcode = ?,datachange_lasttime = ?where id = ?
22:41:23.936 [main] debug – ==> parameters: test(string),2018-09-07 17:01:39.0(timestamp), 560(long)
22:41:23.981 [main] debug – <== updates: 1

可能大家一眼就看出问题了,update语句里,datachange_lasttime这列,又用旧值重新更新回去了。

updatebyprimarykeylective的原理,是根据entity对象的属性值,是否为null,如果为null,则最终生成的update语句里,将忽略该列,否则会更新该列。

entity从数据库里取出来时,datachangelasttime属性上已经有值了,不为null,所以更新时,又把这个旧值给update回去了!解决办法:

@testpublic void testdatachangelasttime() {    sampleentity sample = sampleentitymapper.lectbyprimarykey(560);    long changelasttime1 = sample.getdatachangelasttime().gettime();    //注意:就本例而言,如果empcode在数据库里的旧值本身是test,这一行不会被更新(datachange_lasttime列仍是旧值)    sample.tempcode("test");    //人为更新成null,以便让mybatis生成的update的语句忽略    sample.tdatachangelasttime(null);    int affectedrows = sampleentitymapper.updatebyprimarykeylective(sample);    system.out.println(affectedrows);    long changelasttime2 = sample.getdatachangelasttime().gettime();     asrt.asrtnotequals(changelasttime1, changelasttime2);}

手动把datachangelasttime属性设置为null即可,这次生成的udpate语句为:

22:44:06.298 [main] debug – ==> preparing: update t_sample t id = id,empcode = ? where id = ?
22:44:06.300 [main] debug – ==> parameters: test(string), 560(long)
22:44:06.342 [main] debug – <== updates: 1

另外还有一个小细节,跟mybatis无关,是mysql自己的机制,如果empcode这列在数据库里,这行上的旧值已经是test,java代码又把更新成test,即:这行的数据没有变化,updatebyprimarykeylective在java代码里返回的影响行数,仍然是1 ,但是在mysql里裸跑sql的话,影响行数是0,即:数据库层面这行没有更新,datachange_lasttime列当然仍是旧值(这倒也合理,毕竟数据更新前后的数据一样,所以mysql不更新也说得过去)

解决方案一:

最后,来点优雅的做法,毕竟大家都是有身份~~~~~”证”的人,怎么可能手动在每个需要更新的地方,手动设置null,这有点low,讲出去要被人笑话的^_~

mybatis提供了拦截器机制,搞一个拦截器在更新前拦截一下,用反射大法把这列设置成null,就万事大吉了。这里面

/** * * @author 菩提树下的杨过(http://yjmyzz.cnblogs.com) * @date 2018/12/15 5:17 pm */ @intercepts({        @signature(type = executor.class, method = datachangelasttimeinterceptor.method_update, args = {                mappedstatement.class, object.class})}) public class datachangelasttimeinte生生活活rceptor implements interceptor {       logger logger = loggerfactory.getlogger(this.getclass());       public static final string method_update = "update";     public static final string[] method_t_data_change_last_time = new string[]{"tdatachangelasttime", "tdatachange_lasttime"};       @override     public object intercept(invocation invocation) throws throwable {         string methodname = invocation.getmethod().getname();         if (methodname.equalsignoreca(datachangelasttimeinterceptor.method_update)) {             object parameter = invocation.getargs()[1];             date empty = null;             try {                 for (string s : method_t_data_change_last_time) {                     reflectionutils.callmethod(parameter, s, true, empty);                 }             } catch (exception e) {                 logger.warn("tdatachangelasttime error:" + e.getmessage() + ",class:" + parameter.getclass());             }         }         return invocation.proceed();     }    @override     public object plugin(object o) {         return plugin.wrap(o, this);     }    @override     public void tproperties(properties properties) {    }}

有一个自己写的反射工具类,代码如下:

import java.lang.reflect.field;import java.lang.reflect.invocationtargetexception;import java.lang.reflect.member;import java.lang.reflect.method;import org.apache.commons.lang3.arrayutils; public class reflectionutils {     static boolean checkname(member member, string targetname, boolean ignoreca) {        if (ignoreca) {            if (member.getname().equalsignoreca(targetname)) {                return true;            }        } el if (member.getname().equals(targetname)) {            return true;        }         return fal;    }     public static method getmethod(object target, string methodname, boolean ignoreca) {        if (target == null) {            return null;        } el {            method[] methods = target.getclass().getdeclaredmethods();            if (arrayutils.impty(methods)) {                return null;            } el {                meth泸江od[] arr$ = methods;                int len$ = methods.length;                 for(int i$ = 0; i$ < len$; ++i$) {                    method method = arr$[i$];                    if (checkname(method, methodname, ignoreca)) {                        return method;                    }                }                 return null;            }        }    }     public static method getmethod(object target, string methodname) {        return getmethod(target,奎奴亚藜 methodname, fal);    }     public static field getfield(object target, string propertyname, boolean ignoreca) {        if (target == null) {            return null;        } el {            field[] fields = target.getclass().getdeclaredfields();            if (arrayutils.impty(fields)) {                return null;            } el {                field[] arr$ = fields;                int len$ = fields.length;                 for(int i$ = 0; i$ < len$; ++i$) {                    field f = arr$[i$];                    if (checkname(f, propertyname, ignoreca)) {                        return f;                    }                }                 return null;            }        }    }     public static field getfield(object target, string propertyname) {        return getfield(target, propertyname, fal);    }     public static void tfield(object target, string propertyname, boolean ignoreca, object propertyvalue) throws illegalaccesxception {        field field = getfield(target, propertyname, ignoreca出自幽谷);        if (field != null) {            field.t(target, propertyvalue);        }     }     public static void tfield(object target, string propertyname, object propertyvalue) throws illegalaccesxception {        tfield(target, propertyname, fal, propertyvalue);    }     public static void callmethod(object target, string methodname, object... args) throws invocationtargetexception, illegalaccesxception {        callmethod(target, methodname, fal, args);    }     public static void callmethod(object target, string methodname, boolean ignoreca, object... args) throws invocationtargetexception, illegalaccesxception {        method method = getmethod(target, methodname, ignoreca);        if (method != null) {            method.invoke(target, args);        }    }}

springboot集成mybatis的配置(application.yml·)

mybatis:  type-alias-package: com.efivestar.scs.back.api.scsp.domain.**  mapper-locations: classpath:mapper/**/*.xml  config-location: classpath:mybatis/mybatis-config.xml

最后在mybatis-config.xml里启用该插件:

<?xml version="1.0" encoding="utf-8" ?><!doctype configurationpublic "-//mybatis.org//dtd config 3.0//en""http://mybatis.org/dtd/mybatis-3-config.dtd"><configuration><!--<typealias>--><!--<package name="com.mybatis.domain"/>--><!--</typealias>--><!--<mappers>--><!--<mapper resource="sample/mybatis/mapper/citymapper.xml"/>--><!--<mapper resource="sample/mybatis/mapper/hotelmapper.xml"/>--><!--</mappers>--><plugins><plugin interceptor="com.efivestar.scs.back.api.scsp.interceptor.systemupdatetimeinterceptor"></plugin></plugins></configuration>

解决方案二:

@tablefield(value = “system_update_time”, fill = fieldfill.inrt_update)这个注解可以实现,需要自己实现填充策略。需要将自定义填充控制器注册为组件。实现字段填充控制器,编写自定义填充规则.实现 metaobjecthandler 接口,实现 inrtfill 和 updatefill 方法

@slf4j @component public class mymetaobjecthandler implements metaobjecthandler {      @override     public void inrtfill(metaobject metaobject) {         this.tfieldvalbyname("systemcreatetime", new timestamp(system.currenttimemillis()), metaobject);     }      @override     public void updatefill(metaobject metaobject) {         this.tfieldvalbyname("systemupdatetime", new timestamp(system.currenttimemillis()), metaobject);     }}

注意:

解决方案三:

也就是最笨的办法,每个update的时候通过代码tsystemupdatetime

到此这篇关于tk.mybatis通用插件updatebyprimarykey声速测量实验lective无法自动更新列的解决办法的文章就介绍到这了,更多相关tk.mybatis updatebyprimarykeylective无法自动更新内容请搜索www.887551.com以前的文章或继续浏览下面的相关文章希望大家以后多多支持www.887551.com!

本文发布于:2023-04-03 23:51:46,感谢您对本站的认可!

本文链接:https://www.wtabcd.cn/fanwen/zuowen/a0d8deafc9ae1edeadf3b71e11732f60.html

版权声明:本站内容均来自互联网,仅供演示用,请勿用于商业和其他非法用途。如果侵犯了您的权益请与我们联系,我们将在24小时内删除。

本文word下载地址:tk.mybatis通用插件updateByPrimaryKeySelective无法自动更新列的解决办法.doc

本文 PDF 下载地址:tk.mybatis通用插件updateByPrimaryKeySelective无法自动更新列的解决办法.pdf

标签:语句   数据   代码   时间
相关文章
留言与评论(共有 0 条评论)
   
验证码:
Copyright ©2019-2022 Comsenz Inc.Powered by © 专利检索| 网站地图