问题原因
当 userType 为 Integer 类型且值为 0 时,表达式 query.userType != '' 会判断失败。
根本原因
在 OGNL 表达式中,数字 0 会被当作 false 处理:
java
<if test="query.userType != null and query.userType != ''">
当 userType = 0 时:
query.userType != null→true(0 不是 null)query.userType != ''→false(0 在 OGNL 中被当作 false)
因此整个表达式返回 false,导致 user_type = #{query.userType} 不会被添加到 SQL 中。
代码证据
从 [UserQuery.java]可以看到:
java
@ApiModelProperty("用户类型(0:普通用户 1-管理员)")
private Integer userType; // 注意:类型是 Integer
解决方案
方案一(推荐):只判断 null
xml
<if test="query.userType != null">
and user_type = #{query.userType}
</if>
方案二:使用 equals 方法
xml
<if test="query.userType != null and query.userType != 0">
and user_type = #{query.userType}
</if>
方案三:避免与空字符串比较数字类型
对于 Integer、Long、Double 等数值类型,不应该 与空字符串 '' 比较,因为这是类型不匹配的比较,容易触发 OGNL 的隐式类型转换问题。
最佳实践
| 字段类型 | 推荐判断条件 |
|---|---|
String |
query.field != null and query.field != '' |
Integer/Long |
query.field != null |
Date |
query.field != null |