很多时候需要实现多条件查询,手动判断拼接sql有些麻烦
mybatis提供了一个动态sql实现多条件查询的方法
1.if标签
使用if元素可以根据条件来包含或排除某个SQL片段
<select id="search" resultType="Household">
select id,idcard,name,cellphone,gender,state from household
where state='0'
<if test="idcard!=null and idcard.length()!=0">
and idcard like concat('%',#{idcard},'%')
</if>
<if test="name!=null and name.length()!=0">
and name like concat('%',#{name},'%')
</if>
</select>
2.where标签
<where>如果该标签中有任意一个条件成立,会自动给sql加上where关键字,还会自动去掉多余的and or
<select id="getUserList" resultType="User">
SELECT * FROM users
<where>
<if test="name != null">AND name = #{name}</if>
<if test="age != null">AND age = #{age}</if>
</where>
</select>
3.foreach 标签
foreach元素用于遍历集合或数组,并将集合中的元素作为SQL语句的一部分
foreach经常用来遍历 list和数组,如果传的参数是list,
collection的值就是list,是数组就用array
open是以什么开始,close是以什么结束,separator是元素之间以什么分隔
<!--foreach经常用来遍历 list和数组,如果传的参数是list,
collection的值就是list,是数组就用array
open是以什么开始,close是以什么结束,separator是元素之间以什么分隔-->
<update id="delSelection" >
update household set state = '1' where in
<foreach collection="array" item="id"
open="(" separator="," close=")">
#{id}
</foreach>
</update>
4.choose、when、otherwise标签
用于构建类似于Java中的switch语句的选择逻辑
<select id="getUser" parameterType="int" resultType="User">
SELECT * FROM users
WHERE 1=1
<choose>
<when test="userId != null">
AND id = #{userId}
</when>
<when test="username != null">
AND username = #{username}
</when>
<otherwise>
AND status = 'ACTIVE'
</otherwise>
</choose>
</select>
4.1 在 MyBatis 中根据条件不同自动选择使用SELECT OR INSERT
<!-- 在映射文件中定义动态 SQL -->
<insert id="saveOrUpdate" parameterType="com.mall.mall100.entity.User">
<choose>
<when test="id != null">
<!-- 当 ID 不为空时,执行更新操作 -->
UPDATE users SET name = #{name} WHERE id = #{id}
</when>
<otherwise>
<!-- 当 ID 为空时,执行插入操作 -->
INSERT INTO users (name) VALUES (#{name})
</otherwise>
</choose>
</insert>
5.trim、where、set标签
用于动态地生成SQL的开头或结尾部分
trim 元素可用于修剪生成的 SQL 语句中的多余部分
trim 元素的属性 | |
---|---|
prefix | 指定要在生成的 SQL 语句开头添加的字符串。 |
suffix | 指定要在生成的 SQL 语句末尾添加的字符串。 |
prefixOverrides | 指定要从生成的 SQL 语句开头移除的字符串。 |
suffixOverrides | 指定要从生成的 SQL 语句末尾移除的字符串。 |
<update id="updateUser" parameterType="User">
UPDATE users
<trim prefix="SET" suffixOverrides=",">
<if test="name != null">name = #{name},</if>
<if test="age != null">age = #{age},</if>
</trim>
WHERE id = #{id}
</update>
set 元素可用于动态生成 SQL 语句中的 SET 子句
<update id="updateUser" parameterType="User">
UPDATE users
<set>
<if test="username != null">
username = #{username},
</if>
<if test="password != null">
password = #{password},
</if>
</set>
WHERE id = #{id}
</update>