[安卓]Android NestedScrolling机制

概述

NestedScrolling的机制其实是建立在事件分发的基础上的,所以要理解NestedScrolling要先理解Android事件分发机制,对比事件分发机制,NestedScrolling的优越性在于

事件分发中当Parent拦截之后,是没有办法再把事件交给Child的,事件分发,对于拦截,相当于一锤子买卖,只要拦截了,当前手势接下来的事件都会交给Parent(拦截者)来处理。而NestedScrolling可以使得当当前view响应MotionEvent之前先让它的父亲对这个MotionEvent消费一部分,再继续自己消费。

接口说明

NestedScrolling机制有两方参与,parent方和child方。
parent方需要实现NestedSrollingParent,Child方需要实现NestedSrollingChild。
parent方接口实现主要是用来配合消费某项事件,具体说明可以见CSDN的一篇博客
child方接口实现个人觉得才是主角,用来在事件分发中实现整个机制的。

机制实现

  • startNestedScroll在onTouchEvent的使用情况
switch (action) {    
    //blabla...
    case MotionEvent.ACTION_DOWN: {        
        //blabla...
        mScrollPointerId = MotionEventCompat.getPointerId(e, 0);
        mInitialTouchX = mLastTouchX = (int) (e.getX() + 0.5f);
        mInitialTouchY = mLastTouchY = (int) (e.getY() + 0.5f);
        int nestedScrollAxis = ViewCompat.SCROLL_AXIS_NONE;
        if (canScrollHorizontally) {
            nestedScrollAxis |= ViewCompat.SCROLL_AXIS_HORIZONTAL; 
       }
        if (canScrollVertically) {
            nestedScrollAxis |= ViewCompat.SCROLL_AXIS_VERTICAL;
        }
        startNestedScroll(nestedScrollAxis);
    } 
    break; 
    //blabla...
}

在ACTION_DOWN中会掉用startNestedScroll()这个函数,内部会递归调用startNestedScroll,主要的目的是确定下parent, child就是嵌套滑动的父子两方,注意child不一定是自己,有可能是某个祖先,parent一定是child的父亲。

  • dispatchNestedPreScroll在onTouchEvent的使用情况
switch (action) {    
    case MotionEvent.ACTION_MOVE: {
        final int x = (int) (MotionEventCompat.getX(e, index) + 0.5f);
        final int y = (int) (MotionEventCompat.getY(e, index) + 0.5f);
        int dx = mLastTouchX - x;    int dy = mLastTouchY - y;
        if (dispatchNestedPreScroll(dx, dy, mScrollConsumed, mScrollOffset)) {
            dx -= mScrollConsumed[0];
            dy -= mScrollConsumed[1];
            vtev.offsetLocation(mScrollOffset[0], mScrollOffset[1]);
            // Updated the nested offsets
            mNestedOffsets[0] += mScrollOffset[0];
            mNestedOffsets[1] += mScrollOffset[1];
        }
    //blabla...
}
  • 在onTouchEvent的ACTION_MOVE中被调用,调用祖先实现的onNestedPreScroll进行嵌套滑动的具体操作,结束后consume数组变化
  • 如果consume数组变化,那么把motionEvent的dx,dy相应减掉,继续进行正常的自己对motionEvent的处理。

总结

主要就是在ACTION_DOWN的时候,溯源去找一下要嵌套滑动的爸爸和爷爷。然后在ACTION_MOVE的时候具体执行嵌套滑动的动作,如果被父亲消耗了,那么相应地要减去留给自己的dx,dy,再进行自己正常的操作。
源码还做了比这个更多的事情,这里主要是提供了源码查看的一个入口,以上述的切入点去看源码就比较容易了。

你可能感兴趣的:([安卓]Android NestedScrolling机制)