欢迎您访问程序员文章站本站旨在为大家提供分享程序员计算机编程知识!
您现在的位置是: 首页  >  IT编程

MyBatis的动态SQL语句实现

程序员文章站 2022-03-28 16:08:59
1. 动态sql之标签 我们根据实体类的不同取值,使用不同的sql语句来进行查询。比如在id如果不为空时可以根据id查询,如果username不为空时还要加入...

1. 动态sql之<if>标签

我们根据实体类的不同取值,使用不同的sql语句来进行查询。比如在id如果不为空时可以根据id查询,如果username不为空时还要加入用户名作为条件,这种情况在我们的多条件组合查询中经常会碰到。

<?xml version="1.0" encoding="utf-8"?>
<!doctype mapper public "-//mybatis.org//dtd mapper 3.0//en" "http://mybatis.org/dtd/mybatis-3-mapper.dtd">
<mapper namespace="com.joker.dao.iuserdao">
 
 <select id="findbyuser" resulttype="user" parametertype="user">
 select * from user where 1=1
 <if test="username!=null and username != '' ">
  and username like #{username}
 </if>
 <if test="address != null">
  and address like #{address}
 </if>
 </select>
</mapper>

注意:<if>标签的test属性中写的是对象的属性名,如果是包装类的对象要使用ognl表达式的写法。另外要注意where 1=1的作用。

2. 动态sql之<where>标签

为了简化上面where 1=1的条件拼装,我们可以采用<where>标签来简化开发。

<?xml version="1.0" encoding="utf-8"?>
<!doctype mapper public "-//mybatis.org//dtd mapper 3.0//en" "http://mybatis.org/dtd/mybatis-3-mapper.dtd">
<mapper namespace="com.joker.dao.iuserdao">
 
 <select id="findbyuser" resulttype="user" parametertype="user">
 select * from user
 <where>
  <if test="username!=null and username != '' ">
  and username like #{username}
  </if>
  <if test="address != null">
  and address like #{address}
  </if>
 </where>
 </select>
</mapper>

3. 动态sql之<foreach>标签

<?xml version="1.0" encoding="utf-8"?>
<!doctype mapper public "-//mybatis.org//dtd mapper 3.0//en" "http://mybatis.org/dtd/mybatis-3-mapper.dtd">
<mapper namespace="com.joker.dao.iuserdao">
 
 <!-- 查询所有用户在 id的集合之中 
 foreach标签:用于遍历集合
  * collection:代表要遍历的集合元素,注意编写时不要写 #{}
  * open:代表语句的开始部分
  * close:代表结束部分
  * item:代表遍历集合的每个元素,生成的变量名
  * sperator:代表分隔符
 -->
 <select id="findinids" resulttype="user" parametertype="queryvo">
 select * from user
 <where>
  <if test="ids != null and ids.size() > 0">
  <foreach collection="ids" open="id in ( " close=")" item="uid" separator=",">
   #{uid}
  </foreach>
  </if>
 </where>
 </select>
</mapper>

4. mybatis中的sql片段

mybatis的sql中可将重复的sql提取出来,使用时用include引用即可,最终达到sql重用的目的。

<?xml version="1.0" encoding="utf-8"?>
<!doctype mapper public "-//mybatis.org//dtd mapper 3.0//en" "http://mybatis.org/dtd/mybatis-3-mapper.dtd">
<mapper namespace="com.joker.dao.iuserdao">
 
 <!-- 抽取重复的语句代码片段 -->
 <sql id="defaultsql">
 select * from user
 </sql>

 <select id="findall" resulttype="user">
 <include refid="defaultsql"></include>
 </select>
 
 <select id="findbyid" resulttype="user" parametertype="int">
 <include refid="defaultsql"></include>
 where id = #{uid}
 </select>

</mapper>

以上就是本文的全部内容,希望对大家的学习有所帮助,也希望大家多多支持。