com.github.pagehelper.PageHelper是一个开源的分页源码工具; 第一次看的时候不知道分页原理是什么?
看代码:
@Override public ResultUtil selLogList(Integer page, Integer limit,UserSearch search) { PageHelper.startPage(page, limit); TbLogExample example=new TbLogExample(); //设置按创建时间降序排序 example.setOrderByClause("id DESC"); Criteria criteria = example.createCriteria(); if(search.getOperation()!=null&&!"".equals(search.getOperation())){ criteria.andOperationLike("%"+search.getOperation()+"%"); } if(search.getCreateTimeStart()!=null&&!"".equals(search.getCreateTimeStart())){ criteria.andCreateTimeGreaterThanOrEqualTo(MyUtil.getDateByString(search.getCreateTimeStart())); } if(search.getCreateTimeEnd()!=null&&!"".equals(search.getCreateTimeEnd())){ criteria.andCreateTimeLessThanOrEqualTo(MyUtil.getDateByString(search.getCreateTimeEnd())); } List<TbLog> logs = tbLogMapper.selectByExample(example); PageInfo<TbLog> pageInfo = new PageInfo<TbLog>(logs); ResultUtil resultUtil = new ResultUtil(); resultUtil.setCode(0); resultUtil.setCount(pageInfo.getTotal()); resultUtil.setData(pageInfo.getList()); return resultUtil; }
在dao层调用selectByExample之前只使用了
PageHelper.startPage(page, limit);进行分页。
在这两者之间似乎并没有什么重要的关联,没有相互引用。
再看mybatis的xml文件。
<select id="selectByExample" resultMap="BaseResultMap" parameterType="com.hfcx.pojo.TbLogExample" > select <if test="distinct" > distinct </if> <include refid="Base_Column_List" /> from tb_log <if test="_parameter != null" > <include refid="Example_Where_Clause" /> </if> <if test="orderByClause != null" > order by ${orderByClause} </if> </select>
一般来说limit是写在order by之后的,可是xml文件中并没有limit。
这时我们看一下PageHelper.startPage(page, limit);的源码;
/** * 开始分页 * * @param pageNum 页码 * @param pageSize 每页显示数量 * @param count 是否进行count查询 * @param reasonable 分页合理化,null时用默认配置 * @param pageSizeZero true且pageSize=0时返回全部结果,false时分页,null时用默认配置 */ public static <E> Page<E> startPage(int pageNum, int pageSize, boolean count, Boolean reasonable, Boolean pageSizeZero) { Page<E> page = new Page<E>(pageNum, pageSize, count); page.setReasonable(reasonable); page.setPageSizeZero(pageSizeZero); //当已经执行过orderBy的时候 Page<E> oldPage = SqlUtil.getLocalPage(); if (oldPage != null && oldPage.isOrderByOnly()) { page.setOrderBy(oldPage.getOrderBy()); } SqlUtil.setLocalPage(page); return page; }
在这段代码中方法内第一行是写入参数,第二个和第三个都是为null,不去考虑。
重点在于SqlUtil.getLocalPage();和SqlUtil.setLocalPage(page);方法。
这里是使用进行分页的,继续进去看源代码;
/** * 获取Page参数 * * @return */ public static <T> Page<T> getLocalPage() { return LOCAL_PAGE.get(); } public static void setLocalPage(Page page) { LOCAL_PAGE.set(page); }
这里有一个LOCAL_PAGE;
这里用到了一个ThreadLocal;
ThreadLocal,很多地方叫做线程本地变量,也有些地方叫做线程本地存储,其实意思差不多。
ThreadLocal为变量在每个线程中都创建了一个副本,那么每个线程可以访问自己内部的副本变量。
原文地址:https://www.cnblogs.com/zhengyuanyuan/p/10767408.html
时间: 2024-10-29 19:07:09