Paginator is a powerful, flexible pagination library for Kotlin Multiplatform (KMP) that goes far beyond simple "load next page" patterns. It provides a full-featured page management system with support for jumping to arbitrary pages, bidirectional navigation, bookmarks, page caching, element-level CRUD, incomplete page handling, capacity management, and reactive state via Kotlin Flows.
Built entirely with pure Kotlin and without platform-specific dependencies, Paginator can be seamlessly used across all layers of an application β from data to domain to presentation β while preserving Clean Architecture principles and proper layer separation.
Supported targets: Android Β· JVM Β· iosX64 Β· iosArm64 Β· iosSimulatorArm64
AI Docs - https://deepwiki.com/jamal-wia/Paginator
- Bidirectional pagination -- navigate forward (
goNextPage) and backward (goPreviousPage) - Jump to any page -- jump to arbitrary pages with
jump(bookmark) - Bookmark system -- define bookmarks and cycle through them with
jumpForward/jumpBack, with optional recycling (wrap-around) - Incomplete page handling -- when the server returns fewer items than expected, the paginator
detects this and re-requests the page on the next
goNextPage, showing cached data with a loading indicator - Final page limit -- set
finalPageto enforce a maximum page boundary (typically from backend metadata), throwingFinalPageExceededExceptionwhen exceeded - Page caching -- loaded pages are cached in a sorted map for instant access
- Cache eviction strategies -- pluggable eviction via decorator subclasses of
PagingCore: LRU, FIFO, TTL, and Sliding Window (context-only). Eviction listener callback for reacting to page removal - Reactive state -- observe page changes via
snapshotFlow (visible pages) orasFlow()( entire cache) - High-level UI state --
paginator.uiState: Flow<PaginatorUiState<T>>collapses the raw snapshot intoIdle/Loading/Empty/Error/Content(items, prependState, appendState)for screens that only need full-screen indicators and boundary activity markers - Element-level CRUD -- get, set, add, remove, and replace individual elements within pages, with automatic page rebalancing
- Capacity management -- resize pages on the fly with automatic data redistribution
- Source metadata --
loadreturnsLoadResult<T>, an open wrapper that carries both page data and arbitrary metadata from the API response (total count, cursors, etc.). Metadata flows through initializer lambdas into customPageStatesubclasses - Custom PageState subclasses -- extend
SuccessPage,ErrorPage,ProgressPage, orEmptyPagewith your own types via initializer lambdas - Dirty pages -- mark pages as "dirty" so they are automatically refreshed (fire-and-forget) on
the next navigation (
goNextPage,goPreviousPage,jump). CRUD operations can also mark pages dirty via theisDirtyflag - Two-tier API --
Paginator(read-only navigation, dirty tracking, release) andMutablePaginator(element-level CRUD, resize, publicsetState) - DSL builder -- declarative
paginator<T> { β¦ }andmutablePaginator<T> { β¦ }blocks that collapsePagingCoresetup, cache composition, bookmarks, logger and customPageStateinitializers into one configuration site - Rich extension API -- collection-style helpers on
Paginator(find,count,flatten,firstOrNull,contains, β¦) and bulk CRUD onMutablePaginator(prependElement,moveElement,swapElements,insertBefore/After,removeAll,retainAll,distinctBy,updateAll/updateWhere) - Lock flags -- prevent specific operations at runtime (
lockJump,lockGoNextPage,lockGoPreviousPage,lockRestart,lockRefresh) - Scroll-based prefetch --
PaginatorPrefetchControllermonitors scroll position and automatically loads the next/previous page before the user reaches the edge of content - Parallel loading -- preload multiple pages concurrently with
loadOrGetPageState - Pluggable logging -- implement the
PaginatorLoggerinterface to receive detailed logs about navigation, state changes, and element-level operations. No logging by default (null) - State serialization -- save and restore the paginator's cache to/from JSON via
kotlinx.serialization, enabling seamless recovery after process death on any KMP target - Transaction -- execute a block of operations atomically with
transaction { }. If any exception occurs (including coroutine cancellation), the entire paginator state is rolled back - Context window -- the paginator tracks a contiguous range of successfully loaded pages (
startContextPage..endContextPage), which defines the visible snapshot
The library is published to Maven Central. No additional repository configuration needed.
Add the dependency to commonMain in your module's build.gradle.kts:
kotlin {
sourceSets {
commonMain.dependencies {
implementation("io.github.jamal-wia:paginator:8.1.0")
}
}
}Gradle automatically resolves the correct platform artifact (android, jvm, iosArm64, etc.)
from the KMP metadata.
dependencies {
implementation("io.github.jamal-wia:paginator:8.1.0")
}dependencies {
implementation("io.github.jamal-wia:paginator-jvm:8.1.0")
}The simplest way to create a MutablePaginator is via the DSL builder:
import com.jamal_aliev.paginator.dsl.mutablePaginator
import com.jamal_aliev.paginator.load.LoadResult
class MyViewModel : ViewModel() {
private val paginator = mutablePaginator<Item> {
load { page -> LoadResult(repository.loadPage(page)) }
}
}The load { } block is the only required call β every other knob (capacity, cache strategy,
logger, bookmarks, custom PageState factories) has sensible defaults. See
DSL Builder for the full configuration surface.
If you only need read-only navigation, use paginator<T> { β¦ } instead β it returns a
Paginator<T>, so element-level mutations are not exposed at the call site.
The load lambda receives an Int page number and should return a LoadResult<T> wrapping
your data list. For the simplest case, just wrap with LoadResult(list). The direct constructor
form (MutablePaginator(load = { β¦ })) is also still available if you prefer it.
Subscribe to the snapshot Flow to receive UI updates, then start the paginator by jumping to the
first page:
init {
paginator.core.snapshot
.filter { it.isNotEmpty() }
.onEach { pages -> updateUI(pages) }
.flowOn(Dispatchers.Main)
.launchIn(viewModelScope)
viewModelScope.launch {
paginator.jump(bookmark = BookmarkInt(page = 1))
}
}Prefer a simpler API? Collect paginator.uiState instead β it emits Idle / Loading / Empty
/ Error / Content(items, prependState, appendState) so your UI does not have to reason about
individual PageStates. See
State, Transactions & Locks β PaginatorUiState.
// Load next page (triggered by scroll reaching the end)
fun loadMore() {
viewModelScope.launch { paginator.goNextPage() }
}
// Load previous page (triggered by scroll reaching the top)
fun loadPrevious() {
viewModelScope.launch { paginator.goPreviousPage() }
}When the paginator is no longer needed, release its resources:
override fun onCleared() {
paginator.release()
super.onCleared()
}Paginator works perfectly for a simple infinite scroll β and this is a first-class use case, not an afterthought.
Every feature in the library is strictly opt-in. If all you need is "load the next page when the
user scrolls down", the entire setup is what you already saw in Quick Start: one load lambda,
one snapshot observer, and goNextPage() on scroll. Nothing else is required.
What you still get for free, with zero extra code:
ProgressPagewhile the next page loads β no manual loading flag neededErrorPagewith the previously cached data intact β a failed request won't clear the screen- Incomplete page detection β if the server returns fewer items than expected, the paginator quietly re-requests on the next scroll instead of silently stopping
Start with the simplest setup. Adopt advanced features only if and when your product actually needs them.
Detailed documentation lives in the docs/ directory:
- Core Concepts β
PageState,PaginatorvsMutablePaginator, context window, bookmarks,LoadResult& metadata, capacity, final page limit - Navigation β
goNextPage,goPreviousPage,jump,jumpForward/jumpBack,restart,refresh - State, Transactions & Locks β dirty pages, reactive state (snapshot &
cache flows), atomic
transaction { }, lock flags - Element Operations & Custom Page States β element-level CRUD, custom
PageStatesubclasses,PlaceholderPageState, metadata propagation - State Serialization β saving & restoring paginator state via
kotlinx.serialization, surviving process death - Caching β eviction strategies (LRU, FIFO, TTL, sliding window), composing strategies, persistent L2 cache
- Prefetch β auto-pagination on scroll with
PaginatorPrefetchController - Logger β pluggable logging via
PaginatorLogger - Extensions β extension function reference (
PageExt, iteration, search/aggregation, CRUD, refresh, prefetch) plus a complete ViewModel example - API Reference β complete property / method / operator tables
- DSL Builder β
paginator<T> { β¦ }andmutablePaginator<T> { β¦ }builder DSL
Maintainer docs:
- Releasing a New Version β publishing the library to Maven Central
The MIT License (MIT)
Copyright (c) 2023 Jamal Aliev
Permission is hereby granted, free of charge, to any person obtaining a copy
of this software and associated documentation files (the "Software"), to deal
in the Software without restriction, including without limitation the rights
to use, copy, modify, merge, publish, distribute, sublicense, and/or sell
copies of the Software, and to permit persons to whom the Software is
furnished to do so, subject to the following conditions:
The above copyright notice and this permission notice shall be included in all
copies or substantial portions of the Software.
THE SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND, EXPRESS OR
IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF MERCHANTABILITY,
FITNESS FOR A PARTICULAR PURPOSE AND NONINFRINGEMENT. IN NO EVENT SHALL THE
AUTHORS OR COPYRIGHT HOLDERS BE LIABLE FOR ANY CLAIM, DAMAGES OR OTHER
LIABILITY, WHETHER IN AN ACTION OF CONTRACT, TORT OR OTHERWISE, ARISING FROM,
OUT OF OR IN CONNECTION WITH THE SOFTWARE OR THE USE OR OTHER DEALINGS IN THE
SOFTWARE.