美文网首页
关于RecyclerView的Bug: IndexOutOfBo

关于RecyclerView的Bug: IndexOutOfBo

作者: 我啊翔1314 | 来源:发表于2018-08-25 16:51 被阅读0次

    在使用RecyclerView控件显示列表时,会出现如下的异常:

    java.lang.IndexOutOfBoundException: Inconsistency detected. ...
    

    该异常出现时,抛出该异常的代码都在RecyclerView内部,而不是自己写的代码。这使得确定异常出现的原因变得较为困难。经查阅资料和分析源码,发现这是RecyclerView的bug。在开发过程中,遇到了两种该类型的异常: Invalid item position 和 Invalid view holder adapter positionViewHolder。

    1.Invalid item position

    在RecyclerView进行下拉刷新并滑动列表时,程序崩溃并抛出了该异常。
    该异常出现的原因是上拉刷新时,list调用clear方法清除数据后,没有调用adapter的notifyItemRangeRemoved方法,导致item与list内容不对应。并在调用clear方法之后,调用adapter的notify方法,从而抛出异常:

    list.clear();
    ...
    list.addAll(newList)
    // 不建议使用notifyDataSetChanged刷新数据,请使用其他notify方法
    // adpater.notifyDataSetChanged();
    adpater.notifyitemRangeChanged(0, list.size())
    

    解决办法是在clear方法执行后,调用adapter的notifyItemRangeRemoved方法:

    int size = list.size();
    list.clear();
    adapter.notifyItemRangeRemoved(0, size);
    ...
    list.addAll(newList)
    // 不建议使用notifyDataSetChanged刷新数据,请使用其他notify方法
    // adpater.notifyDataSetChanged();
    adpater.notifyitemRangeChanged(0, list.size())
    

    或者在下拉刷新时,禁止RecyclerView滑动:

    rv.setOnTouchListener(new View.OnTouchListener() {
        @Override
        public void onTouch(View v, MotionEvent ev) {
            if (isRefreshing) {
              return true;
            }
            return false;
        }
    });
    

    2.Invalid view holder adapter positionViewHolder

    该bug出现的原因是将数据列表的某一项数据删除后,未调用adapter的notifyItemRemoved方法移除item,导致数据列表与recyclerView的holder不一致。

    // 未调用notifyItemRemoved(int position)
    list.removeAt(0);
    

    调用notifyItemRemoved之后,问题就解决了:

    list.removeAt(0);
    adapter.notifyItemRemoved(0);
    

    另外,除了上述解决方法解决这两个bug,还有一种通用的解决办法,那就是自定义LayoutManager包装类在OnLayoutChildren方法中将异常捕获:

    public class LinearLayoutManagerWrapper extends LinearLayoutManager {
        @Override
        public void onLayoutChildren(RecyclerView recycler, RecyclerView.State state) {
            try {
                super.onLayoutChildren(recycler, state)
            } catch (IndexOutOfBoundsException e) {
                // do something...
            }
        }
    }
    

    然后,使用该LinearLayoutMangerWrapper的包装类,就不会再出现上述bug:

    rv.layoutManager = LinearLayoutManagerWrapper(this);
    

    相关文章

      网友评论

          本文标题:关于RecyclerView的Bug: IndexOutOfBo

          本文链接:https://www.haomeiwen.com/subject/jhjuiftx.html