1. 程式人生 > >Mybatis動態SQL標籤

Mybatis動態SQL標籤

需求分析

在運用框架之前,通過jdbc連線方式,將dao層的連線資料庫方法化,而在實際開發中,通過不同的條件查詢得到相同資料結構的方法,我們通常通過判斷/賦值等方法將眾多的查詢合併成一個方法。
在mybatis框架中,通過sql直接查詢資料庫,在具有類似的查詢中,也有相類似的方法將多條類似的sql合併或拼接。

if

用法:

<select id="select" resultType="Student">
  SELECT * FROM student 
  WHERE id < #{id}
  <if test="name != null">
    AND name like '%'#{title}'%'
  </if>
</select>

這條語句提供了一種可選的查詢文字功能。如果沒有傳入“name”,那麼所有處於“id<#{id}”都會返回;反之若傳入了“name”,那麼就會對查詢結果再進行“name”進行模糊查詢並返回 結果。

choose/when/otherwise

MyBatis 提供了 choose 元素,它有點像 Java 中的 switch 語句。

<select id="selectUserByChoose" resultType="com.ys.po.User" parameterType="com.ys.po.User">
      select * from user
      <where>
          <choose>
              <when test="id !='' and id != null">
                  id=#{id}
              </when>
              <when test="username !='' and username != null">
                  and username=#{username}
              </when>
              <otherwise>
                  and sex=#{sex}
              </otherwise>
          </choose
      </where>
  </select>

這裡我們有三個條件,id,username,sex,只能選擇一個作為查詢條件
    如果 id 不為空,那麼查詢語句為:select * from user where id=?
    如果 id 為空,那麼看username 是否為空,如果不為空,那麼語句為 select * from user where username=?;
    如果 username 為空,那麼查詢語句為 select * from user where sex=?

if/where
<select id="selectUserByUsernameAndSex" resultType="user" parameterType="com.ys.po.User">
    select * from user
    <where>
        <if test="username != null">
           username=#{username}
        </if>       
        <if test="username != null">
           and sex=#{sex}
        </if>
    </where>
</select>

這個“where”標籤會知道如果它包含的標籤中有返回值的話,它就插入一個‘where’。此外,如果標籤返回的內容是以AND 或OR 開頭的,則它會剔除掉。

if/set
<!-- 根據 id 更新 user 表的資料 -->
<update id="updateUserById" parameterType="com.ys.po.User">
    update user u
        <set>
            <if test="username != null and username != ''">
                u.username = #{username},
            </if>
            <if test="sex != null and sex != ''">
                u.sex = #{sex}
            </if>
        </set>
     where id=#{id}
</update>

這樣寫,如果第一個條件 username 為空,那麼 sql 語句為:update user u set u.sex=? where id=?

如果第一個條件不為空,那麼 sql 語句為:update user u set u.username = ? ,u.sex = ? where id=?