Mybatis动态SQL(DynamicSQL)

呼延钱明
2023-12-01

目录

1. if

2. where

3. ​​​​​​​trim

4. choose when otherwise

5. foreach

6. sql


1. if

if通过test属性中的表达式判断标签中的内容是否有效(是否拼接到sql中)

<if test=" "> 条件判断,test为条件语句

2. where

<where> 同sql中where

where: where中有条件成立,则sql会拼接上

where 可以去除多余的and

where都不成立时,去除sql条件中前多余的and去掉,但是不能除去之后的and

3. ​​​​​​​​​​​​​​trim

<trim  prefix="where" suffixOverrides="and"> 

prefix/suffix:在标签内容前后添加指定的内容

prefixOverrides/suffixOverrides: 在标签中前面或后面去掉指定的内容

    <select id="getEmpByCondition" resultType="emp">
        select * from t_emp

        <trim prefix="where" suffixOverrides="and">
            <if test="empName != null and empName != ''" >
                emp_name = #{empName} and
            </if>
            <if test="age != null and age != ''" >
                age = #{age} and
            </if>
            <if test="gender != null and gender != ''" >
                gender = #{gender} and
            </if>

        </trim>

    </select>

4. choose when otherwise

choose 主要用于分支判断,类似于 java 中的switch case default

    <select id="getEmpByChoosen" resultType="emp">
        select *  from t_emp
        <where>
            <choose>
                <when test="empName != null and empName != ''" >
                    emp_name = #{empName}
                </when>
                <when test="age != null and age != ''" >
                    age = #{age}
                </when>
                <when test="gender != null and gender != ''" >
                    gender = #{gender}
                </when>
            </choose>
        </where>

    </select>

5. foreach

代码中所示,批量插入,遍历list中的元素,一次放入sql中

  • foreach:遍历
  • collection: 所要添加的集合
  • item:集合中每个实例对象
  • separator:遍历完成后的分隔符
  • open="xx" sql语句以xx开始
  • close="xx" sql语句以xx结束
    <insert id="insertEmpList" >
        insert into t_emp values
        <foreach collection="emplist" item="emp" separator=",">
            (null, #{emp.empName}, #{emp.age}, #{emp.gender},null)
        </foreach>

    </insert>

6. sql

sql拼接

可以将sql中的某一部分收取出来,封装成一个<sql id="a">xxx</sql>标签,通过<include refid="a"/>标签插入到sql中合适的地方,从而进行拼接sql

  <sql id="empColumn">
        emp_id, emp_name, age, gender,dept_id

    </sql>
 <select id="getEmpByChoosen" resultType="emp">
        select <include refid="empColumn"/>  from t_emp
  </select>

 类似资料: