一、标签提前看
mybatis中,提供了如下几种标签用来完成动态语句的拼接。
- if
- choose/when/otherwise
- trim/where/set
- foreach
二、使用
- if标签
在这里直接使用了where标签。where标签可以帮我们处理拼接时可能产生的语句一场情况,这里主要是where后直接跟and或者or的情况。这种用法应该比较多。
- choose标签
choose/when/otherwise有点像java里面的switch-case-default的用法,不同的是,众多分支语句中,只会走其中一条语句。在这个案例中,还使用到了bind标签。这个标签的作用是从OGNL标签中创建一个变量,并将其绑定到上下文。稳重这种用法应该是比较典型的一种应用,不想sql的查询(like)逻辑侵入到业务实体对象中,采用这种方式可以实现比较好的分离。
- set标签
trim在这里不演示了,有了where,应该可以覆盖绝大多数的场景。
UPDATE tbl_employee
name=#{name},
email=#{email},
gender=#{gender}
WHERE id=#{id}
这个比较直接和简单,在set标签下多个if条件,哪个不为空就更新哪个字段的值。
- foreach标签
foreach标签主要用于in语句,测试代码如下:
@Test
public void testConditionForeach(){
SqlSession sqlSession = null;
try{
sqlSession = getSession();
List list = new ArrayList();
list.add(1);
list.add(2);
list.add(3);
list.add(4);
EmployeeConditionMapper employeeConditionMapper = sqlSession.getMapper(EmployeeConditionMapper.class);
List emps = employeeConditionMapper.getEmpsInIds(list);
for (Employee e: emps) {
System.out.println(e);
}
}catch (Exception e){
e.printStackTrace();
} finally{
sqlSession.close();
}
}
设置一个list列表,用来存储id列表,调用所写方法,得到如下执行结果:
DEBUG [main] - ==> Preparing: SELECT * FROM tbl_employee WHERE id IN ( ? , ? , ? , ? )
DEBUG [main] - ==> Parameters: 1(Integer), 2(Integer), 3(Integer), 4(Integer)
DEBUG [main] - <== Total: 2
Employee{id=1, name='Lingyu He', gender='1', email='[email protected]'}
Employee{id=4, name='John He1122', gender='1', email='[email protected]'}
可以看到,查询成功,in里面拼装了4个参数,小括号开始和收尾,以逗号为分隔符。
再来看使用foreach标签进行批量插入的例子。
INSERT INTO tbl_employee VALUES
(null, #{emp.name},#{emp.gender},#{emp.email},#{emp.department.id})
结果如下:
DEBUG [main] - ==> Preparing: INSERT INTO tbl_employee VALUES (null, ?,?,?,?) , (null, ?,?,?,?)
DEBUG [main] - ==> Parameters: test1(String), 1(String), [email protected](String), 1(Integer), test2(String), 0(String), [email protected](String), 1(Integer)
DEBUG [main] - <== Updates: 2
可以看到语句封装成功,执行也成功。
三、总结
这一节干货不多,主要是一些为了拼接动态sql语句的标签,实用性比较多,需要在实际应用中灵活选择要使用的标签组合。