Mybatis的动态sql和分页

 

目录

本次目标:

一、mybatis 动态sql

        1、if标签

        以前自定义mvc:

        弊端:

        if举例:

         结果:

         作用:

         2、foreach标签

案例:

举例:查询书

 结果:

二、模糊查询

三种查询方式:

后台代码: 

测试结果: 

# 符号的结果测试:

 $ 符号的结果测试:(传递参数)

concat的结果测试: (占位符)

结论: 

 三、查询返回结果集的处理

它们的作用:

举例:

然后是测试:(可以和上面的xml代码结合看里面写了sql语句) 

结论:

四、第三方分页插件集成Mybatis使用

为什么要重写mybatis的分页?

使用分页插件步骤:

测试:

五、特殊字符处理

举例: 

代码: 

测试结果: 


本次目标:

  1. mybatis 动态sql
  2. 模糊查询
  3. 查询返回结果集的处理
  4. 分页查询
  5. 特殊字符处理

一、mybatis 动态sql

        1、if标签

        以前自定义mvc:

update t_oa_meeting_info set id=?,title=?,content=?,zhuchiren=?,author=?,..... where id=?

        弊端:

        会议编辑界面: infoEdit.jsp

<form>

        <input name="title">

        <input name="content">

</form>

意味着后台meetingInfo实体类 只有title、content属性值不为空,其他为空

所以,若有必要,可以加上一个if标签进行判断:

        if举例:

update t_oa_meeting_info set id=?,title=纳新,content=招点学妹,zhuchiren=null,author=null,..... where id=? 

        经过相似于下面的语句判断后 :

<update id="updateByPrimaryKeySelective" parameterType="com.ps.model.Book" >
    update t_mvc_book
    <set >
      <if test="bname != null" >
        bname = #{bname,jdbcType=VARCHAR},
      </if>
      <if test="price != null" >
        price = #{price,jdbcType=REAL},
      </if>
    </set>
    where bid = #{bid,jdbcType=INTEGER}
  </update>

         结果:

 update t_oa_meeting_info

        title= 纳新,
      
    
        price = #{content,jdbcType=REAL},
    
  
    where bid = #{bid,jdbcType=INTEGER}

         作用:

 在修改语句中if标签能够把前台没有传递过来的值(列段)剔除掉 

         2、foreach标签

案例:

  
    @Test
    public void test3() {
        int[] ints ={1,2,3,4,5,6};
//        将数组成字符串 1,2,3,4,5,6
        StringBuffer sb = new StringBuffer();
        for (int i :
                ints) {
           sb.append(",").append(i);
        }
        String s = sb.toString();
        System.out.println(s.substring(1));
    }

结果:

 我们改动一下:如果集合为空

int[] ints ={};

 结果:下标越界

        那么foreach该怎么写呢?

        如何查询一个数组的值

举例:查询书

BookMapper.xml:

<!-- select * from t_mvc_book where bid in(1,2,3,4,5,6)
  -->
  <select id="selectByIn" resultMap="BaseResultMap" parameterType="java.util.List" >
    select
    <include refid="Base_Column_List" />
    from t_mvc_book
    where bid  in
    <foreach collection="bookIds" open="(" close=")" separator="," item="bid">
      #{bid}
    </foreach>
  </select>

 通过in关键在进行查询,分析foreach 标签的使用

 BookMapper:

  List<Book> selectByIn(@Param("bookIds") List bookIds);

如果说参数 是非实体类,name记得加上注解@param,bookIds是对应collection属性的 

BookBizImpl: 

package com.ps.biz.imp;

import com.ps.biz.BookBiz;
import com.ps.mapper.BookMapper;
import com.ps.model.Book;

import java.util.List;

/**
 * @author 彭于晏
 * @site www.pengyuyan.com
 * @company 玉渊工作室
 * @create 2022-08-11 19:23
 */
public class BookBizImpl implements BookBiz {
    private BookMapper bookMapper;
//    alt+insert 快速提供set/get/tostring/构造方法
//    alt+enter 快速构建实现类,填充代码的前半部分 ctrl+1
    public BookMapper getBookMapper() {
        return bookMapper;
    }

    public void setBookMapper(BookMapper bookMapper) {
        this.bookMapper = bookMapper;
    }

    @Override
    public int deleteByPrimaryKey(Integer bid) {
        return bookMapper.deleteByPrimaryKey(bid);
    }

    @Override
    public Book selectByPrimaryKey(Integer bid) {
        return bookMapper.selectByPrimaryKey(bid);
    }

    @Override
    public List<Book> selectByIn(List bookIds) {
        return bookMapper.selectByIn(bookIds);
    }
}

 BookBiz:

List<Book> selectByIn(List bookIds);

测试类:BookBizImplTest:

@Test
    public void selectByIn() {
        List<Integer> bookIds = Arrays.asList(new Integer[]{31, 32, 33, 34});
        bookBiz.selectByIn(bookIds).forEach(System.out::println);
    }

 结果:

然后值就出来了 !

二、模糊查询

三种查询方式:

  1. #{...}
  2. ${...}
  3. Concat

关键:#{...}与${...}区别?
          参数类型为字符串,#会在前后加单引号['],$则直接插入值

后台代码: 

 BookMaper.xml:(三个简单的模糊查询)

<select id="selectBooksLike1" resultType="com.javaxl.model.Book" parameterType="java.lang.String">
  select * from t_mvc_book where bname like #{bname}
</select>
<select id="selectBooksLike2" resultType="com.javaxl.model.Book" parameterType="java.lang.String">
  select * from t_mvc_book where bname like '${bname}'
</select>
<select id="selectBooksLike3" resultType="com.javaxl.model.Book" parameterType="java.lang.String">
  select * from t_mvc_book where bname like concat(concat('%',#{bname}),'%')
</select>

写三个方法:

BookMapper:
List<Book> selectBooksLike1(@Param("bname")String bname);
List<Book> selectBooksLike2(@Param("bname")String bname);
List<Book> selectBooksLike3(@Param("bname")String bname);
BookBiz:
    public List<Book> selectBooksLike1(String bname);
    public List<Book> selectBooksLike2(String bname);
    public List<Book> selectBooksLike3(String bname);

 然后是实现类:

BookBizImpl:
    public List<Book> selectBooksLike1(String bname){
        return bookMapper.selectBooksLike1(bname);
    }
    public List<Book> selectBooksLike2(String bname){
        return bookMapper.selectBooksLike2(bname);
    }
    public List<Book> selectBooksLike3(String bname){
        return bookMapper.selectBooksLike3(bname);
    }

测试结果: 

# 符号的结果测试:

  @Test
    public void selectBooksLike1() {
        bookBiz.selectBooksLike1("%圣墟%").forEach(System.out::println);
    }

  

结果:

 

 $ 符号的结果测试:(传递参数)

   @Test
    public void selectBooksLike2() {
        bookBiz.selectBooksLike2("%圣墟%").forEach(System.out::println);
    }

 修改一下这个符号的sql语句:

看看修改后的结果:

直接报错了

concat的结果测试: (占位符)

// 可以不用加百分号
  @Test
    public void selectBooksLike3() {
        bookBiz.selectBooksLike3("圣墟").forEach(System.out::println);
    }

 结果:

 

结论: 

MyBatis中#和$的区别
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. 一般能用#的就别用$. 

 三、查询返回结果集的处理

一般的结果集处理都是使用resultmap和resultType进行处理

它们的作用:

resultMap:适合使用返回值是自定义实体类的情况

resultType:适合使用返回值的数据类型是非自定义的,即jdk的提供的类型

  • 如果是单表的情况下,resultType与resultMap都可以使用。
  • 不管返回一条数据,还是多条数据,都应该用java.util.Map进行接收
  • 如果是多条数据,那么返回值List<Map>

举例:

  BookMaper.xml:

<select id="list1" resultMap="BaseResultMap">
  select * from t_mvc_book
</select>
  <select id="list2" resultType="com.ps.model.Book">
  select * from t_mvc_book
</select>
  <select id="list3" resultType="com.ps.model.Book" parameterType="com.ps.model.BookVo">
    select * from t_mvc_book where bid in
    <foreach collection="bookIds" open="(" close=")" separator="," item="bid">
      #{bid}
    </foreach>
  </select>
  <select id="list4" resultType="java.util.Map">
  select * from t_mvc_book
</select>
  <select id="list5" resultType="java.util.Map" parameterType="java.util.Map">
  select * from t_mvc_book where bid = #{bid}
</select>

 创一个新的类:BookVo

package com.ps.model;

import java.util.List;

/**
 * @author 彭于晏
 * @site www.pengyuyan.com
 * @company 玉渊工作室
 * @create 2022-08-14 1:15
 */
public class BookVo extends  Book {
    private List bookIds;

    public List getBookIds() {
        return bookIds;
    }

    public void setBookIds(List bookIds) {
        this.bookIds = bookIds;
    }

}

list1 list2的结论是,对于单表而言,可以用它resultType/resultMap接收,但是多表必须用resultMap接收

BookMapper:
   List<Book> list1();
   List<Book> list2();
BookBizImpl代码:
 @Override
    public List<Book> list1() {
        return bookMapper.list1();
    }

    @Override
    public List<Book> list2() {
        return bookMapper.list2();
    }

    @Override
    public List<Book> list3(BookVo vo) {
        return bookMapper.list3(vo);
    }

    @Override
    public List<Map> list4() {
        return bookMapper.list4();
    }

    @Override
    public Map list5(Map map) {
        return bookMapper.list5(map);
    }

然后是测试:(可以和上面的xml代码结合看里面写了sql语句) 

 @Test
    public void list1() {
        bookBiz.list1().forEach(System.out::println);
    }

    @Test
    public void list2() {
        bookBiz.list2().forEach(System.out::println);

    }

list1 测试:

list2 测试:

 

1和2 结果是一样的

 @Test
    public void list3() {
        BookVo vo =new BookVo();
        vo.setBookIds(Arrays.asList(new Integer[]{31,32,33,34}));
        bookBiz.list3(vo).forEach(System.out::println);

    }

 list3 测试:

 如果要传入多个查询参数,必须以对象的方式进行传递

  

 @Test
    public void list4() {
        bookBiz.list4().forEach(System.out::println);
    }

 list4 测试:

 如果是返回一条数据,那么返回值Map
 如果是多条数据,那么返回值List<Map>

    @Test
    public void list5() {
        Map map =new HashMap();
        map.put("bid",32);
        System.out.println(bookBiz.list5(map));
    }

list5 测试: 

结论:

  1.  使用resultMap返回自定义类型集合
  2.  使用resultType返回List<T>
  3.  使用resultType返回单个对象
  4.  使用resultType返回List<Map>,适用于多表查询返回结果集
  5.  使用resultType返回Map<String,Object>,适用于多表查询返回单个结果集

四、第三方分页插件集成Mybatis使用

为什么要重写mybatis的分页?

Mybatis的分页功能很弱,它是基于内存的分页(查出所有记录再按偏移量offset和边界limit取结果),在大数据量的情况下这样的分页基本上是没有用的

使用分页插件步骤:

     1. 导入pom依赖

<dependency>
    <groupId>com.github.pagehelper</groupId>
    <artifactId>pagehelper</artifactId>
    <version>5.1.2</version>
</dependency>

      2. Mybatis.cfg.xml配置拦截器

<plugins>
    <!-- 配置分页插件PageHelper, 4.0.0以后的版本支持自动识别使用的数据库 -->
    <plugin interceptor="com.github.pagehelper.PageInterceptor">
    </plugin>
</plugins>

      3. 使用PageHelper进行分页

<select id="listPager" resultType="java.util.Map" parameterType="java.util.Map">
  select * from t_mvc_book where bname like concat(concat('%',#{bname}),'%')
</select>

      4. 处理分页结果:

BookMapper:
//    利用第三方插件进行分页
    List<Map> listPager(Map map);

BookBizImpl:

@Override
    public List<Map> listPager(Map map, PageBean pageBean) {
//  pageHelper分页插件相关代码
    if(pageBean != null && pageBean.isPagination()){
        PageHelper.startPage(pageBean.getPage(),pageBean.getRows());
    }
 
       List<Map> maps=bookMapper.listPager(map);
 
        if(pageBean != null && pageBean.isPagination()){
//            处理查询结果的前提,是需要分页的
            PageInfo info=new PageInfo(maps);
            pageBean.setTotal(info.getTotal()+"");
            return  info.getList();
        }
 
        return maps;
    }

 PageBean : 

package com.ps.util;

import javax.servlet.http.HttpServletRequest;
import java.io.Serializable;
import java.util.Map;

/**
 * @author 彭于晏
 * @site www.pengyuyan.com
 * @company 玉渊工作室
 * @create 2022-08-14 2:45
 */
public class PageBean implements Serializable {

        private static final long serialVersionUID = 2422581023658455731L;

        //页码
        private int page=1;
        //每页显示记录数
        private int rows=10;
        //总记录数
        private int total=0;
        //是否分页
        private boolean isPagination=true;
        //上一次的请求路径
        private String url;
        //获取所有的请求参数
        private Map<String,String[]> map;

        public PageBean() {
            super();
        }

        //设置请求参数
        public void setRequest(HttpServletRequest req) {
            String page=req.getParameter("page");
            String rows=req.getParameter("rows");
            String pagination=req.getParameter("pagination");
            this.setPage(page);
            this.setRows(rows);
            this.setPagination(pagination);
            this.url=req.getContextPath()+req.getServletPath();
            this.map=req.getParameterMap();
        }
        public String getUrl() {
            return url;
        }

        public void setUrl(String url) {
            this.url = url;
        }

        public Map<String, String[]> getMap() {
            return map;
        }

        public void setMap(Map<String, String[]> map) {
            this.map = map;
        }

        public int getPage() {
            return page;
        }

        public void setPage(int page) {
            this.page = page;
        }

        public void setPage(String page) {
            if(null!=page&&!"".equals(page.trim()))
                this.page = Integer.parseInt(page);
        }

        public int getRows() {
            return rows;
        }

        public void setRows(int rows) {
            this.rows = rows;
        }

        public void setRows(String rows) {
            if(null!=rows&&!"".equals(rows.trim()))
                this.rows = Integer.parseInt(rows);
        }

        public int getTotal() {
            return total;
        }

        public void setTotal(int total) {
            this.total = total;
        }

        public void setTotal(String total) {
            this.total = Integer.parseInt(total);
        }

        public boolean isPagination() {
            return isPagination;
        }

        public void setPagination(boolean isPagination) {
            this.isPagination = isPagination;
        }

        public void setPagination(String isPagination) {
            if(null!=isPagination&&!"".equals(isPagination.trim()))
                this.isPagination = Boolean.parseBoolean(isPagination);
        }

        /**
         * 获取分页起始标记位置
         * @return
         */
        public int getStartIndex() {
            //(当前页码-1)*显示记录数
            return (this.getPage()-1)*this.rows;
        }

        /**
         * 末页
         * @return
         */
        public int getMaxPage() {
            int totalpage=this.total/this.rows;
            if(this.total%this.rows!=0)
                totalpage++;
            return totalpage;
        }

        /**
         * 下一页
         * @return
         */
        public int getNextPage() {
            int nextPage=this.page+1;
            if(this.page>=this.getMaxPage())
                nextPage=this.getMaxPage();
            return nextPage;
        }

        /**
         * 上一页
         * @return
         */
        public int getPreivousPage() {
            int previousPage=this.page-1;
            if(previousPage<1)
                previousPage=1;
            return previousPage;
        }

        @Override
        public String toString() {
            return "PageBean [page=" + page + ", rows=" + rows + ", total=" + total + ", isPagination=" + isPagination
                    + "]";
        }
}

测试:

 @Test
    public void listPager(){
        Map map=new HashMap();
        map.put("bname","圣墟");
//        bookBiz.listPager(map).forEach(System.out::println);
//       查询出第二页的20条数据
        PageBean pageBean=new PageBean();
        pageBean.setPage(2);
        pageBean.setRows(20);
      bookBiz.listPager(map,pageBean).forEach(System.out::println);
    }

结果:

 打个断点debug处理:

 struts拦截器
    定义一个拦截器类
        invoke
            sysout("action方法被调用前执行的功能")
            method.invoke
            sysout("action方法被调用后执行的功能")
struts-sy.xml
        将拦截器的类申明到interceptors
        引用拦截器
        <action>
            <interceptor-ref>

五、特殊字符处理

举例: 

  •     >(&gt;)   
  •     <(&lt;)  
  •     &(&amp;) 
  •  空格(&nbsp;)

<![CDATA[ <= ]]> 

(用其包裹会被转义成sql语句中的字符)

代码: 

xml:

 <select id="list6" resultType="com.ps.model.Book" parameterType="com.ps.model.BookVo">
    select * from t_mvc_book
    <where>
      <if test="null != min and min != ''">
        <![CDATA[  and #{min} < price ]]>
      </if>
      <if test="null != max and max != ''">
        <![CDATA[ and #{max} > price ]]>
      </if>
    </where>
  </select>

  <select id="list7" resultType="com.ps.model.Book" parameterType="com.ps.model.BookVo">
    select * from t_mvc_book
    <where>
      <if test="null != min and min != ''">
        and #{min} &lt; price
      </if>
      <if test="null != max and max != ''">
        and #{max} &gt; price
      </if>
    </where>
  </select>

BookBizImpl:

 @Override
    public List<Book> list6(BookVo vo) {
        return bookMapper.list6(vo);
    }
 
    @Override
    public List<Book> list7(BookVo vo) {
        return bookMapper.list7(vo);
    }

 测试:

 @Test
    public void list6(){
        BookVo vo=new BookVo();
        vo.setMax(45);
        vo.setMin(35);
        bookBiz.list6(vo).forEach(System.out::println);
    }
 
    @Test
    public void list7(){
        BookVo vo=new BookVo();
        vo.setMax(45);
        vo.setMin(35);
        bookBiz.list7(vo).forEach(System.out::println);
    }

测试结果: 

list6 测试结果:

list7测试结果: 

 好啦!今天的分享就到这里啦!我们下次再见吧!

  • 0
    点赞
  • 0
    收藏
    觉得还不错? 一键收藏
  • 0
    评论
评论
添加红包

请填写红包祝福语或标题

红包个数最小为10个

红包金额最低5元

当前余额3.43前往充值 >
需支付:10.00
成就一亿技术人!
领取后你会自动成为博主和红包主的粉丝 规则
hope_wisdom
发出的红包
实付
使用余额支付
点击重新获取
扫码支付
钱包余额 0

抵扣说明:

1.余额是钱包充值的虚拟货币,按照1:1的比例进行支付金额的抵扣。
2.余额无法直接购买下载,可以购买VIP、付费专栏及课程。

余额充值