mybatis写xml时数字类型千万别用 !=‘‘(不为空串)进行判断的示例详解
前言
最近项目内更新数据时,发现数字类型字段设置为0时不能正常的更新进数据库,我们打印了下mybatis的sql日志发现字段为0的sql没有被拼接。
样例
下面的是错误示例 ❌
<update id="update" parameterType="com.chengfengfeng.test.domain.People">
update people
set
<if test="age!=null and age !=''">
age=#{age},
</if>,
modified = sysdate()
where user_id = #{userId}
</update>
age是个int类型的数据,我们在写age判断的时候就增加上了判断age!='',这个是存在问题的。
正确的示例 ✅
<update id="update" parameterType="com.chengfengfeng.test.domain.People">
update people
set
<if test="age!=null">
age=#{age},
</if>,
modified = sysdate()
where user_id = #{userId}
</update>
原因是什么呢
跟踪了下代码,发现在解析xml时数字类型会走下面的判断
public abstract class OgnlOps implements NumericTypes {
//省略其他无用代码
public static double doubleValue(Object value) throws NumberFormatException {
if (value == null) {
return 0.0D;
} else {
Class c = value.getClass();
if (c.getSuperclass() == Number.class) {
return ((Number)value).doubleValue();
} else if (c == Boolean.class) {
return (Boolean)value ? 1.0D : 0.0D;
} else if (c == Character.class) {
return (double)(Character)value;
} else {
String s = stringValue(value, true);
//这个位置会把'‘空串处理成0
return s.length() == 0 ? 0.0D : Double.parseDouble(s);
}
}
}
}
我们看上面最后一段代码,会把''转换成0.0D,那么我们的最开始的if判断就变成了age != 0,所以当我们把age设置为0时,结果就变成了false,导致sql不会进行拼接,更新数据失败。
到此这篇关于mybatis写xml时数字类型千万别用 !=‘‘(不为空串)进行判断的示例详解的文章就介绍到这了,更多相关mybatis写xml数字类型内容请搜索以前的文章或继续浏览下面的相关文章希望大家以后多多支持!
以上是 mybatis写xml时数字类型千万别用 !=‘‘(不为空串)进行判断的示例详解 的全部内容, 来源链接: utcz.com/z/341621.html