MyBatis是如何分页的及原理
MyBatis 分页通常有两种方式:一是使用MyBatis自带的RowBounds对象进行分页;二是编写带有分页参数的SQL语句。
- 使用RowBounds对象进行分页:
List<YourEntity> selectByRowBounds(RowBounds rowBounds);
在Mapper XML中:
<select id="selectByRowBounds" resultType="YourEntity">
SELECT * FROM your_table
</select>
调用时:
int offset = (pageNum - 1) * pageSize;
int limit = pageSize;
RowBounds rowBounds = new RowBounds(offset, limit);
List<YourEntity> list = yourMapper.selectByRowBounds(rowBounds);
- 编写带有分页参数的SQL语句:
Mapper接口:
List<YourEntity> selectByPage(@Param("offset") int offset, @Param("limit") int limit);
Mapper XML:
<select id="selectByPage" resultType="YourEntity">
SELECT * FROM your_table LIMIT #{offset}, #{limit}
</select>
调用:
int offset = (pageNum - 1) * pageSize;
int limit = pageSize;
List<YourEntity> list = yourMapper.selectByPage(offset, limit);
分页原理:
- 使用RowBounds时,MyBatis会通过AOP对SQL语句进行拦截,并添加对应的LIMIT和OFFSET子句。
- 在XML中直接编写带有分页参数的SQL时,MyBatis会在执行SQL前将参数替换到SQL语句中,并执行数据库分页查询。
注意:分页查询对数据库性能有影响,特别是对大数据表或者数据量大的查询,应当尽可能减少查询量并优化索引。
评论已关闭