在MyBatis中處理分頁參數(shù),通常有兩種方法:使用RowBounds和使用PageHelper插件。
RowBounds是MyBatis提供的一個(gè)簡單分頁方法。你可以在查詢時(shí)傳入一個(gè)RowBounds對象,設(shè)置offset(起始位置)和limit(每頁顯示的條數(shù))。這里是一個(gè)例子:
// 創(chuàng)建一個(gè)RowBounds對象
int offset = (pageNum - 1) * pageSize; // 計(jì)算起始位置
int limit = pageSize; // 每頁顯示的條數(shù)
RowBounds rowBounds = new RowBounds(offset, limit);
// 在查詢時(shí)傳入RowBounds對象
List<User> users = sqlSession.selectList("com.example.mapper.UserMapper.selectUsers", null, rowBounds);
然后,在你的Mapper XML文件中,添加對應(yīng)的查詢語句:
SELECT * FROM user
</select>
PageHelper是一個(gè)簡單易用的MyBatis分頁插件。首先,你需要將PageHelper添加到你的項(xiàng)目中。如果你使用Maven,可以在pom.xml文件中添加以下依賴:
<groupId>com.github.pagehelper</groupId>
<artifactId>pagehelper</artifactId>
<version>5.2.0</version>
</dependency>
接下來,在你的MyBatis配置文件(如mybatis-config.xml)中添加PageHelper插件配置:
...
<plugins>
<plugin interceptor="com.github.pagehelper.PageInterceptor">
<property name="helperDialect" value="mysql"/>
<property name="reasonable" value="true"/>
<property name="supportMethodsArguments" value="true"/>
<property name="params" value="count=countSql"/>
</plugin>
</plugins>
...
</configuration>
現(xiàn)在,你可以在代碼中使用PageHelper進(jìn)行分頁查詢。這里是一個(gè)例子:
import com.github.pagehelper.PageHelper;
import com.github.pagehelper.PageInfo;
// 設(shè)置分頁參數(shù)
int pageNum = 1; // 當(dāng)前頁碼
int pageSize = 10; // 每頁顯示的條數(shù)
// 開始分頁
PageHelper.startPage(pageNum, pageSize);
// 執(zhí)行查詢
List<User> users = userMapper.selectUsers();
// 獲取分頁信息
PageInfo<User> pageInfo = new PageInfo<>(users);
int total = pageInfo.getTotal(); // 總記錄數(shù)
int pages = pageInfo.getPages(); // 總頁數(shù)
在你的Mapper接口中,添加對應(yīng)的查詢方法:
public interface UserMapper {
List<User> selectUsers();
}
最后,在你的Mapper XML文件中,添加對應(yīng)的查詢語句:
SELECT * FROM user
</select>
這樣,你就可以使用PageHelper插件實(shí)現(xiàn)MyBatis的分頁功能了。