美文网首页程序员技术干货
Mybatis: sql中if 判断的坑

Mybatis: sql中if 判断的坑

作者: voltric | 来源:发表于2016-11-24 22:44 被阅读914次

“原创精选,转载注明出处,三克油”

前言

  • Mbatis 的script标签可以支持很多动态SQL查询、在使用if test判断的时候、会有一些意向不到的坑

正文

  • 我们一般在Mbatis中做update更新时、都会加上使用if test判断、防止更新空值、一般正常都是像name这种既判断NULL又判断''
  • 但是对于int类型的sex字段、如果加上 sex != ''条件时、当sex值为0时、此sql不会被拼加上、也不会被执行更新
<if test="name !=null and name !='' ">
    name = #{name},
</if>
<if test="sex !=null">
    sex = #{sex},
</if>
  • 以上是问题以及现象、现在让我们来看一下Mbatis源码、为什么会出现这种情况
  1. 首先在mbatis中找到啊以上包路径、此路径为解析script标签时用到的类
org.apache.ibatis.scripting
  1. 过程不在细说、对于mbatis来说、script标签的动态SQL、都是遍历条件做SQL拼接而成的
  2. 我们直接看org.apache.ibatis.scripting.xmltags.IfSqlNode这个类、此类是script标签中if标签的判断方式、其中evaluateBoolean返回true时、if标签下的SQL拼接生效
public boolean apply(DynamicContext context) {
    if (evaluator.evaluateBoolean(test, context.getBindings())) {
        contents.apply(context);
        return true;
    }
    return false;
}
  1. 再具体看org.apache.ibatis.scripting.xmltags.ExpressionEvaluator :evaluateBoolean 这个方法、我们看到了如果是number类型、会与0做判断比较
public boolean evaluateBoolean(String expression, Object parameterObject) {
    Object value = OgnlCache.getValue(expression, parameterObject);
    if (value instanceof Boolean) return (Boolean) value;
    if (value instanceof Number) return !new BigDecimal(String.valueOf(value)).equals(BigDecimal.ZERO);
    return value != null;
}
  1. 由此可以发现、当动态sql参数是int类型、并且传入0时、是使用OgnlCache获取的value、而OgnlCache是对OGNL的封装
  2. OGNL的官网上面可以看到如下解释
Any object can be used where a boolean is required. OGNL interprets objects as booleans like this:
· If the object is a Boolean, its value is extracted and returned;
· If the object is a Number, its double-precision floating-point value is compared with zero; non-zero is treated as true, zero as false;
· If the object is a Character, its boolean value is true if and only if its char value is non-zero;
Otherwise, its boolean value is true if and only if it is non-null.

结尾

For Future.

相关文章

  • Mybatis: sql中if 判断的坑

    “原创精选,转载注明出处,三克油” 前言 Mbatis 的script标签可以支持很多动态SQL查询、在使用if ...

  • mybatis动态sql中test判断Boolean

    mybatis中动态sql使用if test判断String,pojo一般写法如下(sql片段): String ...

  • 动态sql

    根据不同条件,需要执行不同的sql命令 MyBatis中动态sql是在mapper.xml中添加逻辑判断

  • Q&A-06 Mybatis

    Mybatis中#{}与${}的区别 #{}1、#{} 是 sql 的参数占位符,Mybatis 会将 sql 中...

  • MyBatis动态sql

    动态sql就是可以对sql语句进行灵活的封装,拼接。通过mybatis语法的判断可以实现动态sql。 1 if标签...

  • 动态SQL

    动态SQL: Mybatis中可以在写mapper.xml时添加逻辑判断常用关键字:if、where、「choos...

  • mybatis动态sql

    一 动态sql 1.1 什么是动态sql? mybatis核心 对sql语句进行灵活操作,通过表达式进行判断,对...

  • 基于Mybatis的分库实践

    思路 通过Mybatis的Interceptor拦截执行的SQL语句,判断SQL语句操作的表是否需要进行分库,若需...

  • 动态sql

    一、动态sql mybatis核心对sql语句进行灵活操作,通过表达式进行判断,对sql进行灵活拼接、组装。 if...

  • 动态SQL

    Mybatis动态SQL几种元素: if 判断语句 chose(when,otherwise) 相当于Ja...

网友评论

    本文标题:Mybatis: sql中if 判断的坑

    本文链接:https://www.haomeiwen.com/subject/wcempttx.html