mybatis学习 十 动态 SQL

1.  根据方法传入的参数不同执行不同的 SQL 命令.称为动态 SQL, MyBatis 中动态 SQL 就是在 mapper.xml 中添加逻辑判断等.

2. <if>标签

<select id="selByAccinAccout" resultType="log">
select * from log where 1=1
<!-- OGNL 表达式,直接写 key 或对象的属性.不需要添加任
何特字符号 -->
<if test="accin!=null and accin!=''">
and accin=#{accin}
</if>
<if test="accout!=null and accout!=''">
and accout=#{accout}
</if>
</select>

 3. <where>标签

(1)当编写 where 标签时,如果内容中第一个是 and 去掉第一个and
(2) 如果<where>中有内容会生成 where 关键字,如果没有内容不生成 where 关键

(3)比直接使用<if>少写 where 1=1

<select id="selByAccinAccout" resultType="log">
select * from log
  <where>
    <if test="accin!=null and accin!=''">
      and accin=#{accin}
    </if>
    <if test="accout!=null and accout!=''">
      and accout=#{accout}
    </if>
  </where>
</select>

3.  <choose> <when> <otherwise>标签

  (1)只有有一个成立,其他都不执行.

如果 accin 和 accout 都不是 null 或不是””生成的 sql 中只有 where accin=?,即是有第一个查询条件

<select id="selByAccinAccout" resultType="log">
  select * from log
  <where>
    <choose>
      <when test="accin!=null and accin!=''">
        and accin=#{accin}
      </when>
      <when test="accout!=null and accout!=''">
        and accout=#{accout}
      </when>
    </choose>
  </where>
</select>

4. <set>标签

  <set>用在修改 SQL 中 set 从句

(1)去掉最后一个逗号

(2)如果<set>里面有内容生成 set 关键字,没有就不生成

id=#{id} 目的防止<set>中没有内容,mybatis 不生成 set 关键字,如果修改中没有 set 从句 SQL 语法错误.

<update id="upd" parameterType="log" >
  update log
  <set>
    id=#{id},
    <if test="accIn!=null and accIn!=''">
      accin=#{accIn},
    </if>
    <if test="accOut!=null and accOut!=''">
      accout=#{accOut},
    </if>
  </set>
  where id=#{id}
</update>

5. <trim>标签

(1) prefix 在前面添加内容
(2)prefixOverrides 去掉前面内容
(3)suffix 在后面添加内容
(4)suffixOverrieds 去掉后面内容
执行顺序去掉内容后添加内容

下面的<trim>其实是模拟<set>标签

<update id="upd" parameterType="log">
    update log
    <trim prefix="set" suffixOverrides=",">
        a=a,
    </trim>
    where id=100
</update>


6.  <bind> 标签

作用:给参数重新赋值

应用场景:模糊查询,在原内容前或后添加内容

<select id="selByLog" parameterType="log" resultType="log">
  <bind name="accin" value="'%'+accin+'%'"/>

  select * from log
  where accin=#{accin}
</select>

7. <foreach>标签

作用:循环参数内容,还具备在内容的前后添加内容,还具备添加分隔符功能.

 

适用场景:in 查询中.批量新增中(mybatis 中 foreach 效率比较低)

如果希望批量新增,SQL 命令,

insert into log VALUES(default,1,2,3),(default,2,3,4),(default,3,4,5);

openSession()必须指定   factory.openSession(ExecutorType.BATCH);

即在底层 使用JDBC 的 PreparedStatement.addBatch();

使用实例:

collectino=”” 要遍历的集合

 item 迭代变量, #{迭代变量名}获取内容       

open 循环后左侧添加的内容

close 循环后右侧添加的内容

 separator 每次循环时,元素之间的分隔符

<select id="selIn" parameterType="list" resultType="log"> 
    select * from log where id in
    <foreach collection="list" item="abc" open="(" close=")" separator=",">
        #{abc}

    </foreach>
</select>    

8. <sql> 和<include>标签

某些 SQL 片段如果希望复用,可以使用<sql>定义这个片段

<sql id="mysql">
    id,accin,accout,money
</sql>


<select id="">
    select <include refid="mysql"></include>
    from log
</select>
原文地址:https://www.cnblogs.com/cplinux/p/9651287.html