Mybatis能夠經過傳遞RowBounds對象,來進行數據庫數據的分頁操做,然而遺憾的是,該分頁操做是對ResultSet結果集進行分頁,也就是人們常說的邏輯分頁,而非物理分頁。
java
RowBounds對象的源碼以下:
sql
public class RowBounds { public static final int NO_ROW_OFFSET = 0; public static final int NO_ROW_LIMIT = Integer.MAX_VALUE; public static final RowBounds DEFAULT = new RowBounds(); private int offset; private int limit; public RowBounds() { this.offset = NO_ROW_OFFSET; this.limit = NO_ROW_LIMIT; } public RowBounds(int offset, int limit) { this.offset = offset; this.limit = limit; } public int getOffset() { return offset; } public int getLimit() { return limit; } }
對數據庫數據進行分頁,依靠offset和limit兩個參數,表示從第幾條開始,取多少條。也就是人們常說的start,limit。
數據庫
下面看看Mybatis的如何進行分頁的。apache
org.apache.ibatis.executor.resultset.DefaultResultSetHandler.handleRowValuesForSimpleResultMap()方法源碼。網絡
private void handleRowValuesForSimpleResultMap(ResultSetWrapper rsw, ResultMap resultMap, ResultHandler<?> resultHandler, RowBounds rowBounds, ResultMapping parentMapping) throws SQLException { DefaultResultContext<Object> resultContext = new DefaultResultContext<Object>(); // 跳到offset位置,準備讀取 skipRows(rsw.getResultSet(), rowBounds); // 讀取limit條數據 while (shouldProcessMoreRows(resultContext, rowBounds) && rsw.getResultSet().next()) { ResultMap discriminatedResultMap = resolveDiscriminatedResultMap(rsw.getResultSet(), resultMap, null); Object rowValue = getRowValue(rsw, discriminatedResultMap); storeObject(resultHandler, resultContext, rowValue, parentMapping, rsw.getResultSet()); } } private void skipRows(ResultSet rs, RowBounds rowBounds) throws SQLException { if (rs.getType() != ResultSet.TYPE_FORWARD_ONLY) { if (rowBounds.getOffset() != RowBounds.NO_ROW_OFFSET) { // 直接定位 rs.absolute(rowBounds.getOffset()); } } else { // 只能逐條滾動到指定位置 for (int i = 0; i < rowBounds.getOffset(); i++) { rs.next(); } } }
說明,Mybatis的分頁是對結果集進行的分頁。
app
假設查詢結果總共是100條記錄,而咱們只須要分頁後的10條,是否是意味着100條記錄在內存中,咱們對內存分頁得到了10條數據呢?性能
非也,JDBC驅動並非把全部結果加載至內存中,而是隻加載小部分數據至內存中,若是還須要從數據庫中取更多記錄,它會再次去獲取部分數據,這就是fetch size的用處。和咱們從銀行卡里取錢是一個道理,卡里的錢都是你的,可是咱們一次取200元,用完不夠再去取,此時咱們的fetch size = 200元。fetch
所以,Mybatis的邏輯分頁性能,並不像不少人想的那麼差,不少人認爲是對內存進行的分頁。this
最優方案,天然是物理分頁了,也就是查詢結果,就是咱們分頁後的結果,性能是最好的。若是你必定要物理分頁,該如何解決呢?spa
1. Sql中帶有offset,limit參數,本身控制參數值,直接查詢分頁結果。
2. 使用第三方開發的Mybatis分頁插件。
3. 修改Mybatis源碼,給Sql追加本身的物理分頁Subsql。
版權提示:文章出自開源中國社區,若對文章感興趣,可關注個人開源中國社區博客(http://my.oschina.net/zudajun)。(通過網絡爬蟲或轉載的文章,常常丟失流程圖、時序圖,格式錯亂等,仍是看原版的比較好)