I have a PageKeyedDataSource that continuously calls the loadAfter, and all the items are added in the Recyclerview multiple times. From the API side a null lastEvaluatedKey
means give me the first page which kinda makes sense on why it keeps calling to get the first page but A. Shouldn't it stop if there are no more data to get (aka params.key == null
? and B. Shouldn't the COMPARATOR
in the Adapter disallow the same items being added multiple times? What am I missing?
PageKeyedDataSource.kt
class ReservationsPageKeyedDataSource(private val retryExecutor: Executor) : PageKeyedDataSource<String, Reservation?>() {
private var retry: (() -> Any)? = null
val initialLoad = MutableLiveData<PagingNetworkState>()
fun retryAllFailed() {
val prevRetry = retry
retry = null
prevRetry?.let {
retryExecutor.execute {
it.invoke()
}
}
}
override fun loadInitial(
params: LoadInitialParams<String>,
callback: LoadInitialCallback<String, Reservation?>
) {
val request = Api.reservationsService.getReservations(dateType = RERVATIONS_DATE_TYPE.future, last = null)
initialLoad.postValue(PagingNetworkState.LOADING)
// triggered by a refresh, execute in sync
try {
val response = request.execute()
val originalData = response.body()?.result?.reservations
val data = mutableListOf<Reservation>()
// some data munipulation
retry = null
initialLoad.postValue(PagingNetworkState.LOADED)
callback.onResult(
data.toList(),
null,
response.body()?.result?.lastEvaluatedKey.toString()
)
} catch (ioException: IOException) {
retry = {
loadInitial(params, callback)
}
val error = PagingNetworkState.error(ioException.message ?: "unknown error")
initialLoad.postValue(error)
}
}
override fun loadBefore(
params: LoadParams<String>,
callback: LoadCallback<String, Reservation?>
) {
// no-op
}
override fun loadAfter(
params: LoadParams<String>,
callback: LoadCallback<String, Reservation?>
) {
// I tried adding an if statement here to check if the params.key is null or not but that didn't help
Api.reservationsService.getReservations(dateType = RERVATIONS_DATE_TYPE.future, last = params.key)
.enqueue(object : Callback<ReservationListResponse> {
override fun onFailure(call: Call<ReservationListResponse>, t: Throwable) {
retry = { loadAfter(params, callback) }
}
override fun onResponse(
call: Call<ReservationListResponse>,
response: Response<ReservationListResponse>
) {
if (response.isSuccessful) {
val data = response.body()?.result?.reservations
retry = null
callback.onResult(
data.orEmpty(),
response.body()?.result?.lastEvaluatedKey.toString()
)
} else {
retry = { loadAfter(params, callback) }
}
}
})
}
}
The comparator in the PagedListAdapter :
companion object {
val COMPARATOR = object : DiffUtil.ItemCallback<Reservation>() {
override fun areContentsTheSame(oldItem: Reservation, newItem: Reservation): Boolean =
oldItem == newItem
override fun areItemsTheSame(oldItem: Reservation, newItem: Reservation): Boolean =
oldItem.id == newItem.id
}
}