美文网首页Android笔记
Android scrollTo、scrollBy、以及scro

Android scrollTo、scrollBy、以及scro

作者: zivxia | 来源:发表于2017-12-18 11:21 被阅读734次

    首先来看下scrollTo以及scrollBy的源码:

        /**
         * Set the scrolled position of your view. This will cause a call to
         * {@link #onScrollChanged(int, int, int, int)} and the view will be
         * invalidated.
         * @param x the x position to scroll to
         * @param y the y position to scroll to
         */
        public void scrollTo(int x, int y) {
            if (mScrollX != x || mScrollY != y) {
                int oldX = mScrollX;
                int oldY = mScrollY;
                mScrollX = x;
                mScrollY = y;
                invalidateParentCaches();
                onScrollChanged(mScrollX, mScrollY, oldX, oldY);
                if (!awakenScrollBars()) {
                    postInvalidateOnAnimation();
                }
            }
        }
    
        /**
         * Move the scrolled position of your view. This will cause a call to
         * {@link #onScrollChanged(int, int, int, int)} and the view will be
         * invalidated.
         * @param x the amount of pixels to scroll by horizontally
         * @param y the amount of pixels to scroll by vertically
         */
        public void scrollBy(int x, int y) {
            scrollTo(mScrollX + x, mScrollY + y);
        }
    

    原来scrollBy最终还是调用scrollTo,那我们接着来看scrollTo,scrollTo改变的是View的mScrollX和mScrollY这两个属性,我们来看下文档对这两个属性的解释:

        /**
         * The offset, in pixels, by which the content of this view is scrolled
         * horizontally.
         * {@hide}
         */
        @ViewDebug.ExportedProperty(category = "scrolling")
        protected int mScrollX;
        /**
         * The offset, in pixels, by which the content of this view is scrolled
         * vertically.
         * {@hide}
         */
        @ViewDebug.ExportedProperty(category = "scrolling")
        protected int mScrollY;
    

    指的是View内容的偏移量,如果是ViewGroup的话作用的就是它的所有子view,如果是TextView的话则作用的就是TextView的内容。这两个api作用的对象是view的内容而不是view本身。

    scrollTo与scrollBy的区别

    从上面源码,注意scrollTo(int x,int y)与scrollBy里的参数都是指偏移量,scrollTo是一步到位直接修改偏移量为x或y,而scrollBy是在当前偏移量加减x或y。这样说好像不是很准确,我们先来看下Android坐标系以及一些参数


    image.png

    一般情况下View的坐标都是相对父ViewGroup,像以下的api:

    • getTop()
    • getLeft()
    • getRight()
    • getBottom()
    • getX()
    • getY()

    而getRawX()以及getRawY()就是相对手机屏幕的,属于绝对坐标。
    初始状态下,当View未改变mScrollX和mScorllY时,它们的默认值为0,通过一个小例子来看看scrollTo和scrollBy的作用效果,
    [图片上传失败...(image-d8359f-1513567263806)]
    看看代码:

    <?xml version="1.0" encoding="utf-8"?>
    <RelativeLayout xmlns:android="http://schemas.android.com/apk/res/android"
        xmlns:tools="http://schemas.android.com/tools"
        android:layout_width="match_parent"
        android:layout_height="match_parent"
        tools:context="com.example.ziv.myapplication.MainActivity">
        <LinearLayout
            android:id="@+id/layout_top"
            android:layout_width="match_parent"
            android:layout_height="match_parent"
            android:layout_above="@id/btn1"
            android:orientation="horizontal">
            <Button
                android:id="@+id/btn4"
                android:layout_width="wrap_content"
                android:layout_height="wrap_content"
                android:text="Hellow World!" />
        </LinearLayout>
    
        <Button
            android:id="@+id/btn1"
            android:layout_width="wrap_content"
            android:layout_height="wrap_content"
            android:layout_alignParentBottom="true"
            android:text="scrollTo" />
    
        <Button
            android:id="@+id/btn2"
            android:layout_width="wrap_content"
            android:layout_height="wrap_content"
            android:layout_toRightOf="@id/btn1"
            android:layout_alignParentBottom="true"
            android:text="scrollBy" />
    
    </RelativeLayout>
    
    
    package com.example.ziv.myapplication;
    
    import android.os.Bundle;
    import android.support.v7.app.AppCompatActivity;
    import android.view.View;
    import android.widget.Button;
    import android.widget.LinearLayout;
    import android.widget.Toast;
    
    public class MainActivity extends AppCompatActivity {
    
        private static final String TAG = MainActivity.class.getSimpleName();
    
        private LinearLayout layoutTop;
    
        private Button btn1;
        private Button btn2;
        private Button btn4;
    
    
        @Override
        protected void onCreate(Bundle savedInstanceState) {
            super.onCreate(savedInstanceState);
            setContentView(R.layout.activity_main);
    
            layoutTop = findViewById(R.id.layout_top);
    
            btn1 = findViewById(R.id.btn1);
    
            btn2 = findViewById(R.id.btn2);
    
            btn4 = findViewById(R.id.btn4);
    
    
            btn1.setOnClickListener(new View.OnClickListener() {
                @Override
                public void onClick(View v) {
                    layoutTop.scrollTo(0, -300);
                }
            });
    
            btn2.setOnClickListener(new View.OnClickListener() {
                @Override
                public void onClick(View v) {
                    layoutTop.scrollBy(0, 100);
                }
            });
    
            btn4.setOnClickListener(new View.OnClickListener() {
                @Override
                public void onClick(View v) {
                    Toast.makeText(MainActivity.this, btn4.getText().toString() + "is clicked", Toast.LENGTH_LONG).show();
                }
            });
    
    
        }
    }
    
    

    是不是发现明明通过scrollTo设置的偏移量是-300,按照正常的逻辑以及android坐标系,应该btn4向上移动,怎么还向下移动了呢,这时候我们就要深入源码来查看究竟了

        /**
         * Set the scrolled position of your view. This will cause a call to
         * {@link #onScrollChanged(int, int, int, int)} and the view will be
         * invalidated.
         * @param x the x position to scroll to
         * @param y the y position to scroll to
         */
        public void scrollTo(int x, int y) {
            if (mScrollX != x || mScrollY != y) {
                int oldX = mScrollX;
                int oldY = mScrollY;
                mScrollX = x;
                mScrollY = y;
                invalidateParentCaches();
                onScrollChanged(mScrollX, mScrollY, oldX, oldY);
                if (!awakenScrollBars()) {
                    postInvalidateOnAnimation();
                }
            }
        }
    
    

    先来看看onScrollChanged

        /**
         * This is called in response to an internal scroll in this view (i.e., the
         * view scrolled its own contents). This is typically as a result of
         * {@link #scrollBy(int, int)} or {@link #scrollTo(int, int)} having been
         * called.
         *
         * @param l Current horizontal scroll origin.
         * @param t Current vertical scroll origin.
         * @param oldl Previous horizontal scroll origin.
         * @param oldt Previous vertical scroll origin.
         */
        protected void onScrollChanged(int l, int t, int oldl, int oldt) {
            notifySubtreeAccessibilityStateChangedIfNeeded();
    
            if (AccessibilityManager.getInstance(mContext).isEnabled()) {
                postSendViewScrolledAccessibilityEventCallback();
            }
    
            mBackgroundSizeChanged = true;
            mDefaultFocusHighlightSizeChanged = true;
            if (mForegroundInfo != null) {
                mForegroundInfo.mBoundsChanged = true;
            }
    
            final AttachInfo ai = mAttachInfo;
            if (ai != null) {
                ai.mViewScrollChanged = true;
            }
    
            if (mListenerInfo != null && mListenerInfo.mOnScrollChangeListener != null) {
                mListenerInfo.mOnScrollChangeListener.onScrollChange(this, l, t, oldl, oldt);
            }
        }
    

    当View注册了OnScrollChangeListener,onScrollChange才会被调用。
    接着就调用了postInvalidateOnAnimation

        /**
         * <p>Cause an invalidate to happen on the next animation time step, typically the
         * next display frame.</p>
         *
         * <p>This method can be invoked from outside of the UI thread
         * only when this View is attached to a window.</p>
         *
         * @see #invalidate()
         */
        public void postInvalidateOnAnimation() {
            // We try only with the AttachInfo because there's no point in invalidating
            // if we are not attached to our window
            final AttachInfo attachInfo = mAttachInfo;
            if (attachInfo != null) {
                attachInfo.mViewRootImpl.dispatchInvalidateOnAnimation(this);
            }
        }
    

    在来看看dispatchInvalidateOnAnimation的实现

        public void dispatchInvalidateOnAnimation(View view) {
            mInvalidateOnAnimationRunnable.addView(view);
        }
    
    final class InvalidateOnAnimationRunnable implements Runnable {
            private boolean mPosted;
            private final ArrayList<View> mViews = new ArrayList<View>();
            private final ArrayList<AttachInfo.InvalidateInfo> mViewRects =
                    new ArrayList<AttachInfo.InvalidateInfo>();
            private View[] mTempViews;
            private AttachInfo.InvalidateInfo[] mTempViewRects;
    
            public void addView(View view) {
                synchronized (this) {
                    mViews.add(view);
                    postIfNeededLocked();
                }
            }
    
            public void addViewRect(AttachInfo.InvalidateInfo info) {
                synchronized (this) {
                    mViewRects.add(info);
                    postIfNeededLocked();
                }
            }
    
            public void removeView(View view) {
                synchronized (this) {
                    mViews.remove(view);
    
                    for (int i = mViewRects.size(); i-- > 0; ) {
                        AttachInfo.InvalidateInfo info = mViewRects.get(i);
                        if (info.target == view) {
                            mViewRects.remove(i);
                            info.recycle();
                        }
                    }
    
                    if (mPosted && mViews.isEmpty() && mViewRects.isEmpty()) {
                        mChoreographer.removeCallbacks(Choreographer.CALLBACK_ANIMATION, this, null);
                        mPosted = false;
                    }
                }
            }
    
            @Override
            public void run() {
                final int viewCount;
                final int viewRectCount;
                synchronized (this) {
                    mPosted = false;
    
                    viewCount = mViews.size();
                    if (viewCount != 0) {
                        mTempViews = mViews.toArray(mTempViews != null
                                ? mTempViews : new View[viewCount]);
                        mViews.clear();
                    }
    
                    viewRectCount = mViewRects.size();
                    if (viewRectCount != 0) {
                        mTempViewRects = mViewRects.toArray(mTempViewRects != null
                                ? mTempViewRects : new AttachInfo.InvalidateInfo[viewRectCount]);
                        mViewRects.clear();
                    }
                }
    
                for (int i = 0; i < viewCount; i++) {
                    mTempViews[i].invalidate();
                    mTempViews[i] = null;
                }
    
                for (int i = 0; i < viewRectCount; i++) {
                    final View.AttachInfo.InvalidateInfo info = mTempViewRects[i];
                    info.target.invalidate(info.left, info.top, info.right, info.bottom);
                    info.recycle();
                }
            }
    
            private void postIfNeededLocked() {
                if (!mPosted) {
                    mChoreographer.postCallback(Choreographer.CALLBACK_ANIMATION, this, null);
                    mPosted = true;
                }
            }
        }
    

    接着会调用run方法,其中有

         for (int i = 0; i < viewCount; i++) {
                    mTempViews[i].invalidate();
                    mTempViews[i] = null;
                }
    

    遍历所有添加进去的View,然后对每个View调用invalidate(),

        /**
         * Invalidate the whole view. If the view is visible,
         * {@link #onDraw(android.graphics.Canvas)} will be called at some point in
         * the future.
         * <p>
         * This must be called from a UI thread. To call from a non-UI thread, call
         * {@link #postInvalidate()}.
         */
        public void invalidate() {
            invalidate(true);
        }
    
        /**
         * This is where the invalidate() work actually happens. A full invalidate()
         * causes the drawing cache to be invalidated, but this function can be
         * called with invalidateCache set to false to skip that invalidation step
         * for cases that do not need it (for example, a component that remains at
         * the same dimensions with the same content).
         *
         * @param invalidateCache Whether the drawing cache for this view should be
         *            invalidated as well. This is usually true for a full
         *            invalidate, but may be set to false if the View's contents or
         *            dimensions have not changed.
         * @hide
         */
        public void invalidate(boolean invalidateCache) {
            invalidateInternal(0, 0, mRight - mLeft, mBottom - mTop, invalidateCache, true);
        }
    
     void invalidateInternal(int l, int t, int r, int b, boolean invalidateCache,
                boolean fullInvalidate) {
            if (mGhostView != null) {
                mGhostView.invalidate(true);
                return;
            }
    
            if (skipInvalidate()) {
                return;
            }
    
            if ((mPrivateFlags & (PFLAG_DRAWN | PFLAG_HAS_BOUNDS)) == (PFLAG_DRAWN | PFLAG_HAS_BOUNDS)
                    || (invalidateCache && (mPrivateFlags & PFLAG_DRAWING_CACHE_VALID) == PFLAG_DRAWING_CACHE_VALID)
                    || (mPrivateFlags & PFLAG_INVALIDATED) != PFLAG_INVALIDATED
                    || (fullInvalidate && isOpaque() != mLastIsOpaque)) {
                if (fullInvalidate) {
                    mLastIsOpaque = isOpaque();
                    mPrivateFlags &= ~PFLAG_DRAWN;
                }
    
                mPrivateFlags |= PFLAG_DIRTY;
    
                if (invalidateCache) {
                    mPrivateFlags |= PFLAG_INVALIDATED;
                    mPrivateFlags &= ~PFLAG_DRAWING_CACHE_VALID;
                }
    
                // Propagate the damage rectangle to the parent view.
                final AttachInfo ai = mAttachInfo;
                final ViewParent p = mParent;
                if (p != null && ai != null && l < r && t < b) {
                    final Rect damage = ai.mTmpInvalRect;
                    damage.set(l, t, r, b);
                    p.invalidateChild(this, damage);
                }
    
                // Damage the entire projection receiver, if necessary.
                if (mBackground != null && mBackground.isProjected()) {
                    final View receiver = getProjectionReceiver();
                    if (receiver != null) {
                        receiver.damageInParent();
                    }
                }
            }
        }
    

    注意到有

       if (p != null && ai != null && l < r && t < b) {
                    final Rect damage = ai.mTmpInvalRect;
                    damage.set(l, t, r, b);
                    p.invalidateChild(this, damage);
                }
    

    对child进行绘制,这就能解释为什么scrooTo作用的View的内容了,而不是View本身,再接着看

    /**
         * Don't call or override this method. It is used for the implementation of
         * the view hierarchy.
         *
         * @deprecated Use {@link #onDescendantInvalidated(View, View)} instead to observe updates to
         * draw state in descendants.
         */
        @Deprecated
        @Override
        public final void invalidateChild(View child, final Rect dirty) {
            final AttachInfo attachInfo = mAttachInfo;
            if (attachInfo != null && attachInfo.mHardwareAccelerated) {
                // HW accelerated fast path
                onDescendantInvalidated(child, child);
                return;
            }
    
            ViewParent parent = this;
            if (attachInfo != null) {
                // If the child is drawing an animation, we want to copy this flag onto
                // ourselves and the parent to make sure the invalidate request goes
                // through
                final boolean drawAnimation = (child.mPrivateFlags & PFLAG_DRAW_ANIMATION) != 0;
    
                // Check whether the child that requests the invalidate is fully opaque
                // Views being animated or transformed are not considered opaque because we may
                // be invalidating their old position and need the parent to paint behind them.
                Matrix childMatrix = child.getMatrix();
                final boolean isOpaque = child.isOpaque() && !drawAnimation &&
                        child.getAnimation() == null && childMatrix.isIdentity();
                // Mark the child as dirty, using the appropriate flag
                // Make sure we do not set both flags at the same time
                int opaqueFlag = isOpaque ? PFLAG_DIRTY_OPAQUE : PFLAG_DIRTY;
    
                if (child.mLayerType != LAYER_TYPE_NONE) {
                    mPrivateFlags |= PFLAG_INVALIDATED;
                    mPrivateFlags &= ~PFLAG_DRAWING_CACHE_VALID;
                }
    
                final int[] location = attachInfo.mInvalidateChildLocation;
                location[CHILD_LEFT_INDEX] = child.mLeft;
                location[CHILD_TOP_INDEX] = child.mTop;
                if (!childMatrix.isIdentity() ||
                        (mGroupFlags & ViewGroup.FLAG_SUPPORT_STATIC_TRANSFORMATIONS) != 0) {
                    RectF boundingRect = attachInfo.mTmpTransformRect;
                    boundingRect.set(dirty);
                    Matrix transformMatrix;
                    if ((mGroupFlags & ViewGroup.FLAG_SUPPORT_STATIC_TRANSFORMATIONS) != 0) {
                        Transformation t = attachInfo.mTmpTransformation;
                        boolean transformed = getChildStaticTransformation(child, t);
                        if (transformed) {
                            transformMatrix = attachInfo.mTmpMatrix;
                            transformMatrix.set(t.getMatrix());
                            if (!childMatrix.isIdentity()) {
                                transformMatrix.preConcat(childMatrix);
                            }
                        } else {
                            transformMatrix = childMatrix;
                        }
                    } else {
                        transformMatrix = childMatrix;
                    }
                    transformMatrix.mapRect(boundingRect);
                    dirty.set((int) Math.floor(boundingRect.left),
                            (int) Math.floor(boundingRect.top),
                            (int) Math.ceil(boundingRect.right),
                            (int) Math.ceil(boundingRect.bottom));
                }
    
                do {
                    View view = null;
                    if (parent instanceof View) {
                        view = (View) parent;
                    }
    
                    if (drawAnimation) {
                        if (view != null) {
                            view.mPrivateFlags |= PFLAG_DRAW_ANIMATION;
                        } else if (parent instanceof ViewRootImpl) {
                            ((ViewRootImpl) parent).mIsAnimating = true;
                        }
                    }
    
                    // If the parent is dirty opaque or not dirty, mark it dirty with the opaque
                    // flag coming from the child that initiated the invalidate
                    if (view != null) {
                        if ((view.mViewFlags & FADING_EDGE_MASK) != 0 &&
                                view.getSolidColor() == 0) {
                            opaqueFlag = PFLAG_DIRTY;
                        }
                        if ((view.mPrivateFlags & PFLAG_DIRTY_MASK) != PFLAG_DIRTY) {
                            view.mPrivateFlags = (view.mPrivateFlags & ~PFLAG_DIRTY_MASK) | opaqueFlag;
                        }
                    }
    
                    parent = parent.invalidateChildInParent(location, dirty);
                    if (view != null) {
                        // Account for transform on current parent
                        Matrix m = view.getMatrix();
                        if (!m.isIdentity()) {
                            RectF boundingRect = attachInfo.mTmpTransformRect;
                            boundingRect.set(dirty);
                            m.mapRect(boundingRect);
                            dirty.set((int) Math.floor(boundingRect.left),
                                    (int) Math.floor(boundingRect.top),
                                    (int) Math.ceil(boundingRect.right),
                                    (int) Math.ceil(boundingRect.bottom));
                        }
                    }
                } while (parent != null);
            }
        }
    

    会有这样的一行代码:parent = parent.invalidateChildInParent(location, dirty);
    接着看,

            public ViewParent invalidateChildInParent(int[] location, Rect dirty) {
                if(this.mHostView != null) {
                    dirty.offset(location[0], location[1]);
                    if(this.mHostView instanceof ViewGroup) {
                        location[0] = 0;
                        location[1] = 0;
                        int[] offset = new int[2];
                        this.getOffset(offset);
                        dirty.offset(offset[0], offset[1]);
                        return super.invalidateChildInParent(location, dirty);
                    }
    
                    this.invalidate(dirty);
                }
    
                return null;
            }
    

    next,

          /**
         * Mark the area defined by dirty as needing to be drawn. If the view is
         * visible, {@link #onDraw(android.graphics.Canvas)} will be called at some
         * point in the future.
         * <p>
         * This must be called from a UI thread. To call from a non-UI thread, call
         * {@link #postInvalidate()}.
         * <p>
         * <b>WARNING:</b> In API 19 and below, this method may be destructive to
         * {@code dirty}.
         *
         * @param dirty the rectangle representing the bounds of the dirty region
         */
        public void invalidate(Rect dirty) {
            final int scrollX = mScrollX;
            final int scrollY = mScrollY;
            invalidateInternal(dirty.left - scrollX, dirty.top - scrollY,
                    dirty.right - scrollX, dirty.bottom - scrollY, true, false);
        }
    

    看到没,都是减scrollX,减scrollY,所以导致scrollTo位移的方向都是相反的。
    总结上述,scrollTo会遍历所有子View进行重新绘制并把scrollX,scrollY算在其内容的绘制上,导致了作用的就是它内容,并且移动的方向是相反的。

    Scroller详解

    首先还是来看下官方文档对于Scroller的解释



    大致翻译下,这个类封装了滚动。您可以使用scrollers(Scroller或OverScroller)来收集需要的数据,以产生一个滚动的动画——例如,响应一个抛出的手势。随着时间的推移,Scrollers跟踪滚动偏移量,但是它们不会自动将这些位置应用到您的视图中。你的责任是获取和应用新的坐标,以使滚动动画看起来平滑。

    Scroller Api
     mScroller.getCurrX(); //获取mScroller当前水平滚动的位置
     mScroller.getCurrY(); //获取mScroller当前竖直滚动的位置
     mScroller.getFinalX(); //获取mScroller最终停止的水平位置
     mScroller.getFinalY(); //获取mScroller最终停止的竖直位置
     mScroller.setFinalX(int newX); //设置mScroller最终停留的水平位置,没有动画效果,直接跳到目标位置
     mScroller.setFinalY(int newY); //设置mScroller最终停留的竖直位置,没有动画效果,直接跳到目标位置
            //滚动,startX, startY为开始滚动的位置,dx,dy为滚动的偏移量, duration为完成滚动的时间
    mScroller.startScroll(int startX, int startY, int dx, int dy); //使用默认完成时间250ms
    mScroller.startScroll(int startX, int startY, int dx, int dy, int duration);
    mScroller.computeScrollOffset(); //返回值为boolean,true说明滚动尚未完成,false说明滚动已经完成。这是一个很重要的方法,通常放在View.computeScroll()中,用来判断是否滚动是否结束。
    mScroller.timePassed(); //返回当前已经消耗的事件
    mScroller.isFinished();//动画是否已经停止
    mScroller.forceFinished(boolean finished);//强制停止该动画
    mScroller.abortAnimation();//aborting the animating cause the scroller to move to the final x and y
    
    Scroller与OverScroller的区别
    image.png

    这两个类都属于Scollers,Scroller出现的比较早,在API1就有了,OverScroller是在API9才添加上的,出现的比较晚,所以功能比较完善。Over的意思就是超出,即OverScoller提供了超出滑动边界的情况和处理。

    Scroller的使用
       private void startMove(Context context){
            Scroller mScroller = new Scroller(context);
            mScroller.startScroll(getScrollX(), 0, 300, 0, 10000);
            invalidate();
        }
    
        //重写View的computeScroll方法
        @Override
        public void computeScroll() {
            if (mScroller.computeScrollOffset()) {
                scrollTo(mScroller.getCurrX(), mScroller.getCurrY());
                invalidate();
            }
        }
    
    Scroller的原理

    上面是Scroller的典型用法,下面具体说说它的工作原理

        /**
         * Start scrolling by providing a starting point, the distance to travel,
         * and the duration of the scroll.
         * 
         * @param startX Starting horizontal scroll offset in pixels. Positive
         *        numbers will scroll the content to the left.
         * @param startY Starting vertical scroll offset in pixels. Positive numbers
         *        will scroll the content up.
         * @param dx Horizontal distance to travel. Positive numbers will scroll the
         *        content to the left.
         * @param dy Vertical distance to travel. Positive numbers will scroll the
         *        content up.
         * @param duration Duration of the scroll in milliseconds.
         */
        public void startScroll(int startX, int startY, int dx, int dy, int duration) {
            mMode = SCROLL_MODE;
            mFinished = false;
            mDuration = duration;
            mStartTime = AnimationUtils.currentAnimationTimeMillis();
            mStartX = startX;
            mStartY = startY;
            mFinalX = startX + dx;
            mFinalY = startY + dy;
            mDeltaX = dx;
            mDeltaY = dy;
            mDurationReciprocal = 1.0f / (float) mDuration;
        }
    

    然后调用invalidate(),invalidate()方法紧跟着会调用View的draw方法,在draw中会调用computeScroll(),这个方法是一个空实现需要我们来重新,然后再computeScroll()中我们调用了mScroller.computeScrollOffset()方法来判断滚动是否结束,我们来看下computeScrollOffset的源码

    /**
         * Call this when you want to know the new location.  If it returns true,
         * the animation is not yet finished.
         */ 
        public boolean computeScrollOffset() {
            if (mFinished) {
                return false;
            }
    
            int timePassed = (int)(AnimationUtils.currentAnimationTimeMillis() - mStartTime);
        
            if (timePassed < mDuration) {
                switch (mMode) {
                case SCROLL_MODE:
                    final float x = mInterpolator.getInterpolation(timePassed * mDurationReciprocal);
                    mCurrX = mStartX + Math.round(x * mDeltaX);
                    mCurrY = mStartY + Math.round(x * mDeltaY);
                    break;
                case FLING_MODE:
                    final float t = (float) timePassed / mDuration;
                    final int index = (int) (NB_SAMPLES * t);
                    float distanceCoef = 1.f;
                    float velocityCoef = 0.f;
                    if (index < NB_SAMPLES) {
                        final float t_inf = (float) index / NB_SAMPLES;
                        final float t_sup = (float) (index + 1) / NB_SAMPLES;
                        final float d_inf = SPLINE_POSITION[index];
                        final float d_sup = SPLINE_POSITION[index + 1];
                        velocityCoef = (d_sup - d_inf) / (t_sup - t_inf);
                        distanceCoef = d_inf + (t - t_inf) * velocityCoef;
                    }
    
                    mCurrVelocity = velocityCoef * mDistance / mDuration * 1000.0f;
                    
                    mCurrX = mStartX + Math.round(distanceCoef * (mFinalX - mStartX));
                    // Pin to mMinX <= mCurrX <= mMaxX
                    mCurrX = Math.min(mCurrX, mMaxX);
                    mCurrX = Math.max(mCurrX, mMinX);
                    
                    mCurrY = mStartY + Math.round(distanceCoef * (mFinalY - mStartY));
                    // Pin to mMinY <= mCurrY <= mMaxY
                    mCurrY = Math.min(mCurrY, mMaxY);
                    mCurrY = Math.max(mCurrY, mMinY);
    
                    if (mCurrX == mFinalX && mCurrY == mFinalY) {
                        mFinished = true;
                    }
    
                    break;
                }
            }
            else {
                mCurrX = mFinalX;
                mCurrY = mFinalY;
                mFinished = true;
            }
            return true;
        }
    

    大致意思就是根据时间消耗的百分比来计算当前总共滚动了多长距离在加上初始偏移量,就是当前的X轴上的偏移量。Scroller就是根据时间,将总的偏移量分成很多很多份,每次移动一份,由于人眼睛视觉暂留就行成动画效果。内部原理还是使用的scrollTo,但是scrollTo是瞬间移动,同样作用的对象都是View的内容。

    相关文章

      网友评论

        本文标题:Android scrollTo、scrollBy、以及scro

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