MyBatis 更新查询中的额外逗号
在 Mybatis xml 映射器文件中,我尝试为用户表编写更新查询,如下所示。每个输入参数都可以为空,我只在它不为空时更新。您不知道哪个“if”条件可能失败,哪个可能是最后一个,因此必须在每个语句中添加逗号。
问题是额外的','
导致查询异常。看来 Mybatis 并没有忽略多余的逗号。
我的解决方法是将“id = #{id}
”放在解决问题的末尾,但它是多余的。
什么是真正的解决方案?
代码:
<update id="update" parameterType="User">
UPDATE user SET
<if test="username != null">
username = #{username},
</if>
<if test="password != null">
password = #{password},
</if>
<if test="email != null">
email = #{email},
</if>
id= #{id} // this is redundant
WHERE id = #{id}
</update>
感谢MyBatis Generator的 mapper.xml 文件,我学会了如何取消逗号。MyBatis 有一个标签**<set>
**可以擦除最后一个逗号。也是用MyBatis - Dynamic Sql写的:
在这里,set 元素将动态地添加 SET
关键字,并且还会消除在应用条件后可能尾随值分配的任何无关逗号。
可以把它写成:
<update id="update" parameterType="User">
UPDATE user
<set>
<if test="username != null">
username = #{username},
</if>
<if test="password != null">
password = #{password},
</if>
<if test="email != null">
email = #{email},
</if>
</set>
WHERE id = #{id}
</update>