mybatis-plus提供了许多强大的功能,但是都是基于单表实现,本文是在其基础上,仿照原有代码进行的连表分页查询。
准备工作
建库,建表。表结构如下:
在进行前,我们应该在config配置类中引入分页的一个配置插件,作用是配置分页拦截器。
这是 mybatis-plus官方提供的分页插件(插件主体 | MyBatis-Plus (baomidou.com)),适合版本要求3.40以上。
/**
* 新的分页插件,一缓和二缓遵循mybatis的规则,需要设置 MybatisConfiguration#useDeprecatedExecutor = false
避免缓存出现问题(该属性会在旧插件移除后一同移除)
*/
@Bean
public MybatisPlusInterceptor mybatisPlusInterceptor() {
MybatisPlusInterceptor interceptor = new MybatisPlusInterceptor();
interceptor.addInnerInterceptor(new PaginationInnerInterceptor(DbType.H2));
return interceptor;
}
我使用的版本在要求版本为3.3.2以下,参考一下插件
@Bean
public PaginationInterceptor paginationInterceptor() {
PaginationInterceptor paginationInterceptor = new PaginationInterceptor();
// 设置请求的页面大于最大页后操作, true调回到首页,false 继续请求 默认false
// paginationInterceptor.setOverflow(false);
// 设置最大单页限制数量,默认 500 条,-1 不受限制
// paginationInterceptor.setLimit(500);
// 开启 count 的 join 优化,只针对部分 left join
//paginationInterceptor.setCountSqlParser(new JsqlParserCountOptimize(true));
return paginationInterceptor;
}
接下来我们根据原有的分页查询定义我们所需的分页查询,根据源码,得到我们所需要的参数类型
然后在控制层写出相应的方法代码
并在Mapper中写出对应的l连表sql
<mapper namespace="com.cgm.dao.StudentDao">
<resultMap id="StudnetMap" type="com.cgm.pojo.Student">
<id property="id" column="id"/>
<association property="clazz" javaType="com.cgm.pojo.Class" autoMapping="true">
<id property="id" column="cid"/>
</association>
</resultMap>
<select id="selectByCondtion" resultMap="StudnetMap">
select s.*,c.id cid,c.cname,c.loc from student s join class c on s.classId=c.id
<if test="ew!=null">
${ew.sqlSegment}
</if>
</select>
</mapper>
对于ew,我们可以通过进入Wrapper查看
我们点击进入Wrapper之后看他源码
我们进行测试
@Test
void selectByCondition(){
Page<Student>page = new Page<>(1,3);
IPage<Student> page1 = studentDao.selectByCondtion(page, null);
System.out.println("总条数"+page1.getTotal());
System.out.println("总页数"+page1.getPages());
System.out.println("当前页记录"+page1.getRecords());
}
结果如下:
至此我们完成了连表的分页查询.