在Mybatis xml映射文件中,我尝试为User表编写更新查询,如下所示。每个输入参数都可以为null,我只在它不为null时才更新。你不知道哪个'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>
PS:我使用的环境是:Java Spring + MyBatis + MySQL。
答案 0 :(得分:19)
感谢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>