1. 程式人生 > >mybatis 幾種實現模糊查詢的方法簡介

mybatis 幾種實現模糊查詢的方法簡介

這篇文章主要介紹了mybatis 模糊查詢的實現方法的相關資料,希望通過本文能幫助到大家,讓大家掌握這部分內容,需要的朋友可以參考下

mybatis的模糊查詢功能使用的很廣泛,以MySQL資料庫為例
常用的模糊查詢有三種方法:

  1. 直接使用 % 拼接字串,如 '%'#{name}'%' 或 "%"#{name}"%",單引號或雙引號都可以。
  2. 使用concat(str1,str2)函式拼接
  3. 使用mybatis的bind標籤

這裡先明確MyBatis/Ibatis中#和$的區別: 

1. #將傳入的資料都當成一個字串,會對自動傳入的資料加一個雙引號。如:order by #user_id#,如果傳入的值是111,那麼解析成sql時的值為order by “111”, 如果傳入的值是id,則解析成的sql為order by “id”. 

2. $將傳入的資料直接顯示生成在sql中。如:order by $user_id$,如果傳入的值是111,那麼解析成sql時的值為order by user_id, 如果傳入的值是id,則解析成的sql為order by id. 

3. #方式能夠很大程度防止sql注入。 

4. $方式無法防止Sql注入。 

5. $方式一般用於傳入資料庫物件,例如傳入表名. 

6. 一般能用#的就別用$. 

迷糊查詢例項說明

<!-- ******************** 模糊查詢的常用的3種方式:********************* -->
    <select id="getUsersByFuzzyQuery" parameterType="User" resultType="User">
        select * from users
        <where>
            <!--
                方法一: 直接使用 % 拼接字串 
                注意:此處不能寫成  "%#{name}%" ,#{name}就成了字串的一部分,
                會發生這樣一個異常: The error occurred while setting parameters,
                應該寫成: "%"#{name}"%",即#{name}是一個整體,前後加上%
            -->
            <if test="name != null">
                name like "%"#{name}"%"
            </if>
            <!--方法二: 使用concat(str1,str2)函式將兩個引數連線 -->
            <if test="phone != null">
                and phone like concat(concat('%',#{phone}),'%')
            </if>
            <!--方法三: 使用 bind 標籤,對字串進行繫結,然後對繫結後的字串使用 like 關鍵字進行模糊查詢 -->
            <if test="email != null">
                <bind name="pattern" value="'%'+email+'%'"/>
                and email like #{pattern}
            </if>
        </where>
    </select>

還有一種方式是可以通過在程式中拼接

  Java程式碼如下:

 // String searchText = "%" + text + "%";

   StringsearchText = newStringBuilder("%").append(text).append("%").toString();

  parameterMap.put("text", searchText);

 SqlMap.xml如下 

SELECT *FROM user WHERE name LIKE #{text};