Mybatis-plus实现分页步骤
1. 编写配置类,创建分页拦截器
@Configuration
@EnableTransactionManagement
@MapperScan("com.ao.takeaway.admin.dao")
public class MybatisConfig {
/**
* 分页拦截器
*/
@Bean
public MybatisPlusInterceptor mybatisPlusInterceptor() {
MybatisPlusInterceptor interceptor = new MybatisPlusInterceptor();
interceptor.addInnerInterceptor(new PaginationInnerInterceptor(DbType.MYSQL));
return interceptor;
}
}
这里注意,如果你的mybatis-plus版本比较低,使用如下配置,在高版本的SpringBoot中, 会提示这种写法已过时。
@Configuration
@EnableTransactionManagement
public class MybatisConfig {
@Bean
public PaginationInterceptor paginationInterceptor() {
PaginationInterceptor paginationInterceptor = new PaginationInterceptor();
return paginationInterceptor;
}
}
2. 分页查询数据
-
直接调用mybatis-plus中service层提供的page方法,传入相应的分页参数实现分页。
@Override public Page<CategoryVo> listPage(PageParamsVo pageParamsVo) { Page<CategoryEntity> page = this.page( new Page<CategoryEntity>(pageParamsVo.getCurrent(), pageParamsVo.getSize()), new LambdaQueryWrapper<CategoryEntity>() ); }
-
new Page<CategoryEntity>(pageParamsVo.getCurrent(), pageParamsVo.getSize())
,传入对应的分页参数:当前页码, 每页显示的条数; -
如果需要带条件的查询语句,直接在
new LambdaQueryWrapper<CategoryEntity>()
加上查询条件即可。
-
-
也可以调用mapper层提供的selectPage方法,参数同上,都是一样的。
public Page<CategoryVo> listPage(PageParamsVo pageParamsVo) { Page<CategoryEntity> categoryEntityPage = this.baseMapper.selectPage( new Page<CategoryEntity>(pageParamsVo.getCurrent(), pageParamsVo.getSize()), new LambdaQueryWrapper<CategoryEntity>() ); }
3. 测试一下
@Test
public void list() {
PageParamsVo pageParam = new PageParamsVo();
// 当前页码
pageParam.setCurrent(1L);
// 每页显示的总条数
pageParam.setSize(2L);
Page<CategoryVo> page = categoryService.listPage(pageParam);
// 查询到的数据列表
List<CategoryVo> categoryList = page.getRecords();
System.out.println(categoryList);
System.out.println("共" + categoryList.size() + "条数据");
}
除了查询的数据,其他的分页参数信息也可以直接从Page对象中获取。
![]()
版权声明:本文为sunao1106原创文章,遵循 CC 4.0 BY-SA 版权协议,转载请附上原文出处链接和本声明。