MyBatis where 标签

前面几个例子已经很好地解决了动态SQL问题。现在回到之前的if示例,这次我们将state="ACTIVE"也设置成动态的条件,看看会发生什么。

<select id="selectEmployeeByIdLike" resultType="cn.mybatis.domain.Emplyee">
SELECT * FROM tb_employee WHERE
    <if test="state != null ">
      state= #{state}
    </if>
    <if test="id != null ">
      and id = #{id}
    </if>
</select>

如果传入state参数,则执行正常。如果没有传入参数,则会执行sql语句:

SELECT * EROM tb_employee WHERE

如果只是传入id,则会执行sql语句:

SELECT * FROM tb_ employee WHERE and id = ?

也就是说,如果没有传入state参数,会导致执行失败。这个问题不能简单地用条件语句来解决。MyBatis有一个简单的处理方法,只要简单地修改就能得到想要的效果:

<select id="selectEmployeeLike" resultType="cn.mybatis.domain.Employee">
SELECT * EROM tb_employee
    <where>
      <if test="state != null ">
        state = #{state}
      </if>
      <if test="id != null ">
        and id = #{id}
      </if>
      <if test="loginname != null and password != null">
        and loginname = #{loginname} and password = #{password}
      </if>
    </where>
</select>

where 标签知道只有在一个以上的if条件有值的情况下才去插入WHERE子句。而且,若最后的内容是“AND”或“OR”开头,则where元素也知道如何将它们去除。

List<Employee> selectEmployeeLike (HashMap<string,object> params) ;

public void testSelectEmployeeLike(SqlSession session)
{
    EmployeeMapper em = session.getMapper(EmployeeMapper.class);
    HashMap<string, Object> params = new HashMap<string, Object>();
    // 设置id,loginname和password属性
    params.put("id", 1);
    params.put("loginname", "jack");
    params.put("password", "123456");
    List<Employee> list = em.selectEmployeelike(params);
    list.forEach(employee -> System.out.printIn(employee));
}

测试selectEmployeeLike方法,控制台显示如下:

DEBUG [main]==> Preparing: SELECT * FROM tb_employee WHERE id = ? and loginname= ? and password = ?
DEBUG [main]==> Parameters: 1(Integer),jack(String),123456(string)
DEBUG [main]==> Total: 1
Employee [id=1,paasword=12345,name=杰克,sex=男,age=26]
loginnamejack,
phone=13902019999,sal=9800.0,state-ACTIVE]

可以看到,当没有传入 state 参数时,MyBatis 自动过滤掉 id 前面的 and 关键字。

MyBatis where 标签的局限性

where 标签只能去除第一个条件中出现的前置 and 关键字。像以下情况,where 就无能为力了:

<select id="selectEmployeeLike" resultType="cn.mybatis.domain.Employee">
SELECT * EROM tb_employee
    <where>
      <if test="state != null ">
        state = #{state} and
      </if>
      <if test="id != null ">
        id = #{id} and
      </if>
      <if test="loginname != null and password != null">
        loginname = #{loginname} and password = #{password}
      </if>
    </where>
</select>

where 标签无法去除掉后面的 and 关键字,此时 SQL 语句出现语法错误。要想解决以上 where 标签无法处理的问题,可以考虑使用 trim 标签

标签: none

[2024年]-[红黑树技术联盟介绍]-[成员故事]


[2024年]-[JavaOffer]-[训练营]


添加新评论