我使用 jetpack-navigation 设计了一个应用程序当我从一个片段移动到另一个片段时,出现如下图所示的问题,列表的状态消失了。
事实上,当从一个布局返回时,文章将在堆栈中重新创建,并且不会保存列表状态,用户将不得不再次滚动。请帮我?
我使用 jetpack-navigation 设计了一个应用程序当我从一个片段移动到另一个片段时,出现如下图所示的问题,列表的状态消失了。
事实上,当从一个布局返回时,文章将在堆栈中重新创建,并且不会保存列表状态,用户将不得不再次滚动。请帮我?
每次导航操作都会重新创建片段。您可以将滚动位置存储在您的活动中并从那里加载它。但是这样做,滚动位置将在活动重新创建(例如旋转设备)时丢失。
更好的方法是将其存储在 ViewModel 中。(见https://developer.android.com/topic/libraries/architecture/viewmodel)
视图模型在活动娱乐中幸存下来,您可以存储滚动位置。
然后你可以加载这个位置并告诉列表滚动到这个位置(例如,通过调用 scrollToPositionWithOffset(...) 来调用带有 LinearLayoutManager 的 RecyclerView)
我每 15 秒重新加载一次 recyclerView 数据。为了在应用程序之间切换时保持滚动位置,我在相应的片段覆盖方法中使用了 onSaveInstanceState() 和 onRestoreInstanceState(mRVState) 方法。但是当我想在不同片段之间切换时保存位置时,我想出了这个解决方案:
1.在Fragment的onResume()方法中设置RecyclerView.OnScrollListener (),获取每个滚动条当前第一个可见item的位置。如您所见,位置变量位于父活动中,因此在片段替换时不会丢失:
override fun onResume() {
super.onResume()
if (updateListRunnable != null) setAndRunUpdateListRunnable()
mRV?.addOnScrollListener(object : RecyclerView.OnScrollListener() {
override fun onScrolled(recyclerView: RecyclerView, dx: Int, dy: Int) {
super.onScrolled(recyclerView, dx, dy)
mainActivity.lastRVPosition =
(recyclerView.layoutManager as LinearLayoutManager).findFirstCompletelyVisibleItemPosition()
}
})
}
2.在adapter内替换数据后,使用recyclerView的scrollToPosition()方法:
private fun setDataList(dataList: List<Data?>?) {
val mutableDataList = dataList?.toMutableList()
val currentItemCount = binding?.rvDataList?.adapter?.itemCount
if (currentItemCount == null || currentItemCount == 0) {
// create new adapter with initial data
val adapter = DataListAdapter(mutableDataList, baseVM, mainVM)
binding?.rvDataList?.adapter = adapter
binding?.rvDataList?.layoutManager = LinearLayoutManager(context)
mRV?.scrollToPosition(mainActivity.lastRVPosition);
} else {
// update existing adapter with updated data
mRVState = mRV?.layoutManager?.onSaveInstanceState()
val currentAdapter = binding?.rvDataList?.adapter as? DataListAdapter
currentAdapter?.updateDataList(dataList)
currentAdapter?.notifyDataSetChanged()
mRV?.layoutManager?.onRestoreInstanceState(mRVState)
mRV?.scrollToPosition(mainActivity.lastRVPosition);
}
}
如您所见,我在替换数据之前/之后也使用了 onSaveInstanceState()/onRestoreInstanceState(),这样如果在数据替换之前没有滚动,仍然会保存位置。滚动侦听器保存的位置仅在片段之间切换时有用。