Recyclerview源码深入探索:Adapter的增删改再也不迷路
前面三篇文章从Recyclerview
如何布局讲到了Recycerview
滑动时是如何布局紧接着把Recyclerview是如何获取ViewHolder
,前面一连串的逻辑如果要概括一下,他们都是展示已有的内容讲解,那这篇我们就要讲讲Recyclerview
的增删改是怎么实现的.
增
那这里主要要讲的api
就是notifyItemInserted(int)
和notifyItemRangeInserted(int, int)
Adapter.notifyItemInserted(int position)
public final void notifyItemInserted(int position) {
mObservable.notifyItemRangeInserted(position, 1);
}
这里的代码很少,从命名可以看出来这里采用的是观察者模式,mObservable
就是那个发布者
,发布者
内部肯定有一个List
来保存所有监听者
的引用.mObservable.notifyItemRangeInserted(position, 1)
内部必然是遍历监听者
.
mObservable
是AdapterDataObservable
类型,那我们来看看他的代码:
static class AdapterDataObservable extends Observable<AdapterDataObserver> {
public boolean hasObservers() {
return !mObservers.isEmpty();
}
public void notifyChanged() {
for (int i = mObservers.size() - 1; i >= 0; i--) {
mObservers.get(i).onChanged();
}
}
public void notifyStateRestorationPolicyChanged() {
for (int i = mObservers.size() - 1; i >= 0; i--) {
mObservers.get(i).onStateRestorationPolicyChanged();
}
}
public void notifyItemRangeChanged(int positionStart, int itemCount) {
notifyItemRangeChanged(positionStart, itemCount, null);
}
public void notifyItemRangeChanged(int positionStart, int itemCount,
@Nullable Object payload) {
for (int i = mObservers.size() - 1; i >= 0; i--) {
mObservers.get(i).onItemRangeChanged(positionStart, itemCount, payload);
}
}
public void notifyItemRangeInserted(int positionStart, int itemCount) {
for (int i = mObservers.size() - 1; i >= 0; i--) {
mObservers.get(i).onItemRangeInserted(positionStart, itemCount);
}
}
public void notifyItemRangeRemoved(int positionStart, int itemCount) {
for (int i = mObservers.size() - 1; i >= 0; i--) {
mObservers.get(i).onItemRangeRemoved(positionStart, itemCount);
}
}
public void notifyItemMoved(int fromPosition, int toPosition) {
for (int i = mObservers.size() - 1; i >= 0; i--) {
mObservers.get(i).onItemRangeMoved(fromPosition, toPosition, 1);
}
}
}
这段代码中的mObservers
来自父类,他就是一个List
里面保存了所有的监听者
,
然后能看到这段代码中的每个函数都是遍历监听者
并调用其相关的函数.那我们来看下这些监听者
都是怎么被添加的,也就是看看哪里调用了mObservers.add()
Observable.java
public void registerObserver(T observer) {
if (observer == null) {
throw new IllegalArgumentException("The observer is null.");
}
synchronized(mObservers) {
if (mObservers.contains(observer)) {
throw new IllegalStateException("Observer " + observer + " is already registered.");
}
mObservers.add(observer);
}
}
从名字上来看就是一个添加监听者
的函数,再看看哪里调用了这个
Recyclerview.Adapter.java
public void registerAdapterDataObserver(@NonNull AdapterDataObserver observer) {
mObservable.registerObserver(observer);
}
因为数据改变是通过Adapter
来执行的,并且也是Adapter
也是唯一持有数据源的类,那他负责添加和删除监听者
也很合理,现在就看看哪里调用了registerAdapterDataObserver()
/**
* Replaces the current adapter with the new one and triggers listeners.
*
* @param adapter The new adapter
* @param compatibleWithPrevious If true, the new adapter is using the same View Holders and
* item types with the current adapter (helps us avoid cache
* invalidation).
* @param removeAndRecycleViews If true, we'll remove and recycle all existing views. If
* compatibleWithPrevious is false, this parameter is ignored.
*/
private void setAdapterInternal(@Nullable Adapter<?> adapter, boolean compatibleWithPrevious,
boolean removeAndRecycleViews) {
//① 如果当前的RV已经有Adapter,那就把当前RV的监听者与之前adapter进行解绑
if (mAdapter != null) {
mAdapter.unregisterAdapterDataObserver(mObserver);
mAdapter.onDetachedFromRecyclerView(this);
}
if (!compatibleWithPrevious || removeAndRecycleViews) {
removeAndRecycleViews();
}
mAdapterHelper.reset();
final Adapter<?> oldAdapter = mAdapter;
mAdapter = adapter;
if (adapter != null) {
//②将当前RV的的监听者与最新的adapter进行绑定
adapter.registerAdapterDataObserver(mObserver);
adapter.onAttachedToRecyclerView(this);
}
if (mLayout != null) {
mLayout.onAdapterChanged(oldAdapter, mAdapter);
}
mRecycler.onAdapterChanged(oldAdapter, mAdapter, compatibleWithPrevious);
mState.mStructureChanged = true;
}
从代码的官方注释可以看到这个函数的作用替换当前Recyclerview
的Adapter
,现在发布者
是Adapter
,那谁是监听者
呢?也就是谁需要响应Adapter
数据的变化,那必然是Recyclerview
了,在②处能看到将mObserver
与最新的Adapter
进行了绑定,而mObserver
正是Reyclerview
的成员属性.也正是说明监听者
是与Recyclerview
绑定的,发布者
与Adapter
绑定的,那现在我们发布者改变了
,对应的监听者
肯定需要与不用的发布者
进行解绑,然后再和最新的发布者
进行绑定,上面代码的①和②分别对应解绑和绑定逻辑.不出意外就是在Recylerview.setadapter()
的时候会调用当前函数,这里我就不粘贴代码占用版位了.
现在我们知道发布者
和监听者
分别是谁,并且知道监听者
什么时候订阅发布者
的,那现在我们就可以安安心心看监听者
在收到订阅后是如何做出反应的.
Recyclerview.RecyclerViewDataObserver.java
private class RecyclerViewDataObserver extends AdapterDataObserver {
RecyclerViewDataObserver() {
}
@Override
public void onChanged() {
assertNotInLayoutOrScroll(null);
mState.mStructureChanged = true;
processDataSetCompletelyChanged(true);
if (!mAdapterHelper.hasPendingUpdates()) {
requestLayout();
}
}
@Override
public void onItemRangeChanged(int positionStart, int itemCount, Object payload) {
assertNotInLayoutOrScroll(null);
if (mAdapterHelper.onItemRangeChanged(positionStart, itemCount, payload)) {
triggerUpdateProcessor();
}
}
@Override
public void onItemRangeInserted(int positionStart, int itemCount) {
assertNotInLayoutOrScroll(null);
if (mAdapterHelper.onItemRangeInserted(positionStart, itemCount)) {
triggerUpdateProcessor();
}
}
@Override
public void onItemRangeRemoved(int positionStart, int itemCount) {
assertNotInLayoutOrScroll(null);
if (mAdapterHelper.onItemRangeRemoved(positionStart, itemCount)) {
triggerUpdateProcessor();
}
}
@Override
public void onItemRangeMoved(int fromPosition, int toPosition, int itemCount) {
assertNotInLayoutOrScroll(null);
if (mAdapterHelper.onItemRangeMoved(fromPosition, toPosition, itemCount)) {
triggerUpdateProcessor();
}
}
void triggerUpdateProcessor() {
if (POST_UPDATES_ON_ANIMATION && mHasFixedSize && mIsAttached) {
ViewCompat.postOnAnimation(RecyclerView.this, mUpdateChildViewsRunnable);
} else {
mAdapterUpdateDuringMeasure = true;
requestLayout();
}
}
@Override
public void onStateRestorationPolicyChanged() {
if (mPendingSavedState == null) {
return;
}
// If there is a pending saved state and the new mode requires us to restore it,
// we'll request a layout which will call the adapter to see if it can restore state
// and trigger state restoration
Adapter<?> adapter = mAdapter;
if (adapter != null && adapter.canRestoreState()) {
requestLayout();
}
}
}
从函数命名可以清楚看出每个函数对应Adapter
的增删改的函数,这里我们以增为例子:
@Override
public void onItemRangeInserted(int positionStart, int itemCount) {
assertNotInLayoutOrScroll(null);
if (mAdapterHelper.onItemRangeInserted(positionStart, itemCount)) {
triggerUpdateProcessor();
}
}
boolean onItemRangeInserted(int positionStart, int itemCount) {
if (itemCount < 1) {
return false;
}
mPendingUpdates.add(obtainUpdateOp(UpdateOp.ADD, positionStart, itemCount, null));
mExistingUpdateTypes |= UpdateOp.ADD;
return mPendingUpdates.size() == 1;
}
void triggerUpdateProcessor() {
if (POST_UPDATES_ON_ANIMATION && mHasFixedSize && mIsAttached) {
ViewCompat.postOnAnimation(RecyclerView.this, mUpdateChildViewsRunnable);
} else {
mAdapterUpdateDuringMeasure = true;
requestLayout();
}
}
从代码中可以看到onItemRangeInserted()
只做了两件事,调用了mAdapterHelper.onItemRangeInserted()
和triggerUpdateProcessor()
,
而onItemRangeInserted()
内的逻辑是:
- 将增删改中的每个一个操作封装成一个
UpdateOp
- 将
UpdateOp
保存下来
triggerUpdateProcessor()
从函数名上能看出来这里就是触发更新的地方了,这里有两个分支分别是
- 通过
ViewCompat.postOnAnimation(RecyclerView.this, mUpdateChildViewsRunnable);
执行逻辑 - 通过
requestLayout()
执行逻辑.
分支1 有三个条件POST_UPDATES_ON_ANIMATION
、mIsAttached
和mHasFixedSize
,前面两个可以当做默认值是true
,mHasFixedSize
是开发者通过api来设置的,而这个值的作用就是标记当前的RV
的大小是否与children
无关,是固定大小.所以如果是固定大小,那这次增删改child
,RV
自身大小不会改变,反之分支2中是通过requestLayout()
来执行逻辑,那他必然会触发测量逻辑,所以分支1的性能比分支2要强.
ViewCompat.postOnAnimation()实现
这里只是对View.post()
一种兼容,所以我们只需要关注他最后一个参数Runnable
final Runnable mUpdateChildViewsRunnable = new Runnable() {
@Override
public void run() {
if (!mFirstLayoutComplete || isLayoutRequested()) {
// a layout request will happen, we should not do layout here.
return;
}
if (!mIsAttached) {
requestLayout();
// if we are not attached yet, mark us as requiring layout and skip
return;
}
if (mLayoutSuppressed) {
mLayoutWasDefered = true;
return; //we'll process updates when ice age ends.
}
consumePendingUpdateOperations();
}
};
从这里能看到逻辑都在consumePendingUpdateOperations()
void consumePendingUpdateOperations() {
if (!mFirstLayoutComplete || mDataSetHasChangedAfterLayout) {
TraceCompat.beginSection(TRACE_ON_DATA_SET_CHANGE_LAYOUT_TAG);
dispatchLayout();
TraceCompat.endSection();
return;
}
if (!mAdapterHelper.hasPendingUpdates()) {
return;
}
// if it is only an item change (no add-remove-notifyDataSetChanged) we can check if any
// of the visible items is affected and if not, just ignore the change.
//这里的if判断是先判断当前是否是update操作,并且不能是add,remove,move,else if 的判断是操作队列
//中是否还有未执行的UpdateOp, UpdateOp就是将增删改每个操作封装后的数据结构
if (mAdapterHelper.hasAnyUpdateTypes(AdapterHelper.UpdateOp.UPDATE) && !mAdapterHelper
.hasAnyUpdateTypes(AdapterHelper.UpdateOp.ADD | AdapterHelper.UpdateOp.REMOVE
| AdapterHelper.UpdateOp.MOVE)) {
...
} else if (mAdapterHelper.hasPendingUpdates()) {
TraceCompat.beginSection(TRACE_ON_DATA_SET_CHANGE_LAYOUT_TAG);
dispatchLayout();
TraceCompat.endSection();
}
}
代码中添加了注释,因为我们这里是讲解增
所以会进入else if
逻辑,而else if
逻辑是执行dispatchLayout()
这里就没有和measure
相关的流程了.
void dispatchLayout() {
if (mAdapter == null) {
Log.w(TAG, "No adapter attached; skipping layout");
// leave the state in START
return;
}
if (mLayout == null) {
Log.e(TAG, "No layout manager attached; skipping layout");
// leave the state in START
return;
}
mState.mIsMeasuring = false;
// If the last time we measured children in onMeasure, we skipped the measurement and layout
// of RV children because the MeasureSpec in both dimensions was EXACTLY, and current
// dimensions of the RV are not equal to the last measured dimensions of RV, we need to
// measure and layout children one last time.
boolean needsRemeasureDueToExactSkip = mLastAutoMeasureSkippedDueToExact
&& (mLastAutoMeasureNonExactMeasuredWidth != getWidth()
|| mLastAutoMeasureNonExactMeasuredHeight != getHeight());
mLastAutoMeasureNonExactMeasuredWidth = 0;
mLastAutoMeasureNonExactMeasuredHeight = 0;
mLastAutoMeasureSkippedDueToExact = false;
if (mState.mLayoutStep == State.STEP_START) {
dispatchLayoutStep1();
mLayout.setExactMeasureSpecsFrom(this);
dispatchLayoutStep2();
} else if (mAdapterHelper.hasUpdates()
|| needsRemeasureDueToExactSkip
|| mLayout.getWidth() != getWidth()
|| mLayout.getHeight() != getHeight()) {
// First 2 steps are done in onMeasure but looks like we have to run again due to
// changed size.
// TODO(shepshapard): Worth a note that I believe
// "mLayout.getWidth() != getWidth() || mLayout.getHeight() != getHeight()" above is
// not actually correct, causes unnecessary work to be done, and should be
// removed. Removing causes many tests to fail and I didn't have the time to
// investigate. Just a note for the a future reader or bug fixer.
mLayout.setExactMeasureSpecsFrom(this);
dispatchLayoutStep2();
} else {
// always make sure we sync them (to ensure mode is exact)
mLayout.setExactMeasureSpecsFrom(this);
}
dispatchLayoutStep3();
}
可以看到dispatchLayout()
内部就是判断要执行dispatchLayoutStep1()
、dispatchLayoutStep2()
、dispatchLayoutStep3()
三个函数中的哪些函数.
dispatchLayoutStep1()
是为了播放动画做铺垫,记录每个child
执行增删改动画前的布局信息.dispatchLayoutStep2()
主要任务就是按最终的样式来layoutdispatchLayoutStep3()
就是执行增删改动画了.
那我们就需要重点关注一下dispatchLayoutStep2()
的逻辑了.
private void dispatchLayoutStep2() {
startInterceptRequestLayout();
onEnterLayoutOrScroll();
mState.assertLayoutStep(State.STEP_LAYOUT | State.STEP_ANIMATIONS);
//①
mAdapterHelper.consumeUpdatesInOnePass();
mState.mItemCount = mAdapter.getItemCount();
mState.mDeletedInvisibleItemCountSincePreviousLayout = 0;
...
}
整个dispatchLayoutStep2()
所有的逻辑都和前面三章所介绍的填充逻辑一下,但是上面标注①的地方从名字也能看出来是与增删改
有关的,我们的增删改
封装对应的数据结构是mAdapterHelper
负责的,而且函数名也带有Update
,所以这个函数就是我们的关注重点.
/**
* Skips pre-processing and applies all updates in one pass.
*/
void consumeUpdatesInOnePass() {
// we still consume postponed updates (if there is) in case there was a pre-process call
// w/o a matching consumePostponedUpdates.
consumePostponedUpdates();
final int count = mPendingUpdates.size();
for (int i = 0; i < count; i++) {
UpdateOp op = mPendingUpdates.get(i);
switch (op.cmd) {
case UpdateOp.ADD:
mCallback.onDispatchSecondPass(op);
mCallback.offsetPositionsForAdd(op.positionStart, op.itemCount);
break;
case UpdateOp.REMOVE:
mCallback.onDispatchSecondPass(op);
mCallback.offsetPositionsForRemovingInvisible(op.positionStart, op.itemCount);
break;
case UpdateOp.UPDATE:
mCallback.onDispatchSecondPass(op);
mCallback.markViewHoldersUpdated(op.positionStart, op.itemCount, op.payload);
break;
case UpdateOp.MOVE:
mCallback.onDispatchSecondPass(op);
mCallback.offsetPositionsForMove(op.positionStart, op.itemCount);
break;
}
if (mOnItemProcessedCallback != null) {
mOnItemProcessedCallback.run();
}
}
recycleUpdateOpsAndClearList(mPendingUpdates);
mExistingUpdateTypes = 0;
}
从官方注释中可以看出来这里就是一次性处理所有更新的地方,从这串代码可以看出,写法很简单,主要需要关注三个方面:
mCallback
是什么?onDispatchSecondPass()
这个函数在每个操作中都执行了,是什么滴干活?- 每个操作对应的特有函数
offsetPositionsForAdd()
等
mCallback是什么?
跟踪一下mCallback
赋值地方发现只有一处
AdapterHelper(Callback callback, boolean disableRecycler) {
mCallback = callback;
mDisableRecycler = disableRecycler;
mOpReorderer = new OpReorderer(this);
}
AdapterHelper
必然是一个Recyclerview
对应一个,所以也只有一处实例化AdapterHelper
的代码
void initAdapterManager() {
mAdapterHelper = new AdapterHelper(new AdapterHelper.Callback() {
...
@Override
public void onDispatchSecondPass(AdapterHelper.UpdateOp op) {
dispatchUpdate(op);
}
@Override
public void offsetPositionsForAdd(int positionStart, int itemCount) {
offsetPositionRecordsForInsert(positionStart, itemCount);
mItemsAddedOrRemoved = true;
}
...
});
}
void dispatchUpdate(AdapterHelper.UpdateOp op) {
switch (op.cmd) {
case AdapterHelper.UpdateOp.ADD:
mLayout.onItemsAdded(RecyclerView.this, op.positionStart, op.itemCount);
break;
case AdapterHelper.UpdateOp.REMOVE:
mLayout.onItemsRemoved(RecyclerView.this, op.positionStart, op.itemCount);
break;
case AdapterHelper.UpdateOp.UPDATE:
mLayout.onItemsUpdated(RecyclerView.this, op.positionStart, op.itemCount,
op.payload);
break;
case AdapterHelper.UpdateOp.MOVE:
mLayout.onItemsMoved(RecyclerView.this, op.positionStart, op.itemCount, 1);
break;
}
}
LinearLayoutManager.java
public void onItemsAdded(@NonNull RecyclerView recyclerView, int positionStart,
int itemCount) {
}
可以看到在mCallback
是Recyclerview
和AdapterHelper
的桥梁,AdapterHleper
又是Adapter
的一个工具类,那也就意味着mCallback
是Recyclerview
和Adapter
之间的桥梁.当Adapter
通过api
进行增删改
的时候间接通过mCallback
影响Recyclerview
.
onDispatchSecondPass()作用
从上面的代码可以看出在LinearLayoutManager
中onDispatchSecondPass()
通过一连串的调用后最后调用的函数是空实现,但是在GridLayoutManager
是有相关实现的,但是内部都是状态清理的相关逻辑.
offsetPositionsForAdd()
public void offsetPositionsForAdd(int positionStart, int itemCount) {
offsetPositionRecordsForInsert(positionStart, itemCount);
mItemsAddedOrRemoved = true;
}
void offsetPositionRecordsForInsert(int positionStart, int itemCount) {
final int childCount = mChildHelper.getUnfilteredChildCount();
for (int i = 0; i < childCount; i++) {
final ViewHolder holder = getChildViewHolderInt(mChildHelper.getUnfilteredChildAt(i));
if (holder != null && !holder.shouldIgnore() && holder.mPosition >= positionStart) {
if (sVerboseLoggingEnabled) {
Log.d(TAG, "offsetPositionRecordsForInsert attached child " + i + " holder "
+ holder + " now at position " + (holder.mPosition + itemCount));
}
holder.offsetPosition(itemCount, false);
mState.mStructureChanged = true;
}
}
mRecycler.offsetPositionRecordsForInsert(positionStart, itemCount);
requestLayout();
}
可以看出一共就两个逻辑:
- 将已经填充的
ViewHolder
对应position
进行更新 - 将已经在缓存池中的
ViweHolder
对应的position
进行更新
这个逻辑很正常吧,你添加了一个child
那原来的child
的position
肯定都会变化,我们缓存大多都是position
进行匹对的,不能说你添加一个child
我们现有的缓存因为不更新position
导致匹配失败而当值缓存全部失败.
当他更新完每个ViewHolder
后调用requestLayout()
进行布局,然后又是一连串的fill()
流程,就是第一篇和第二篇的逻辑了.但是有一个很致命的问题不知道大家意识到没有,所有的增删改逻辑只是修改了Recyclerview
的子View
,我们的数据源并没有被修改.所以这也是为什么我们在通过Adapter
进行增删改api
调用的时候还需要自己维护数据源
的增删改
.如果我们我们对Recyclerview
的子View
进行视图的增删改,数据源不修改的话,在调用requestlayout()
他又会根据数据源进行填充,最终不会有实际的修改效果.
删
删除的逻辑同上面add
逻辑差不多有80%的逻辑是相同的,要经过对remote
操作封装成UpdateOp
然后调用dispatchLayout()
,再然后执行dispatchLayoutStep1
,dispatchLayoutStep2
等逻辑,在dispatchLayoutStep2
中通过mCallback
执行remove
相关逻辑.
public void offsetPositionsForRemovingInvisible(int start, int count) {
offsetPositionRecordsForRemove(start, count, true);
mItemsAddedOrRemoved = true;
mState.mDeletedInvisibleItemCountSincePreviousLayout += count;
}
void offsetPositionRecordsForRemove(int positionStart, int itemCount,
boolean applyToPreLayout) {
final int positionEnd = positionStart + itemCount;
final int childCount = mChildHelper.getUnfilteredChildCount();
for (int i = 0; i < childCount; i++) {
final ViewHolder holder = getChildViewHolderInt(mChildHelper.getUnfilteredChildAt(i));
if (holder != null && !holder.shouldIgnore()) {
if (holder.mPosition >= positionEnd) {
if (sVerboseLoggingEnabled) {
Log.d(TAG, "offsetPositionRecordsForRemove attached child " + i
+ " holder " + holder + " now at position "
+ (holder.mPosition - itemCount));
}
holder.offsetPosition(-itemCount, applyToPreLayout);
mState.mStructureChanged = true;
} else if (holder.mPosition >= positionStart) {
if (sVerboseLoggingEnabled) {
Log.d(TAG, "offsetPositionRecordsForRemove attached child " + i
+ " holder " + holder + " now REMOVED");
}
holder.flagRemovedAndOffsetPosition(positionStart - 1, -itemCount,
applyToPreLayout);
mState.mStructureChanged = true;
}
}
}
mRecycler.offsetPositionRecordsForRemove(positionStart, itemCount, applyToPreLayout);
requestLayout();
}
remove
操作同add
操作,更新已经填充的ViewHolder
对应的position
然后更新缓存池中的ViewHolder
对应的position
改
改
操作就和增
、删
操作没什么差别的,大家可以自己尝试跟踪一下代码
转载自:https://juejin.cn/post/7225159156130955321