“原创精选,转载注明出处,三克油”
前言
- 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源码、为什么会出现这种情况
- 首先在mbatis中找到啊以上包路径、此路径为解析script标签时用到的类
org.apache.ibatis.scripting
- 过程不在细说、对于mbatis来说、script标签的动态SQL、都是遍历条件做SQL拼接而成的
- 我们直接看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;
}
- 再具体看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;
}
- 由此可以发现、当动态sql参数是int类型、并且传入0时、是使用OgnlCache获取的value、而OgnlCache是对OGNL的封装
- 在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.