3

我必须实现一个画廊,该画廊在动画中移动到下一张幻灯片。我在这里找到了一些解决方案: 如何以编程方式滚动动画

我正在使用这段代码:

//scroll forward or backward
 private void scroll(int type){
View selectedV = mG.getSelectedView();
int idx = mG.indexOfChild(selectedV);
switch(type){
    case FORWARD:
default:
    if(idx<mG.getChildCount()-1)
        idx++;
    break;
case BACKWARD:
    if(idx>0)
        idx--;          
    break;
}
//now scrolled view's child idx in gallery is gotten
View nextView = mG.getChildAt(idx);
//(x,y) in scrolled view is gotten
int x = nextView.getLeft()+nextView.getWidth()/2;
int y = nextView.getTop()+nextView.getHeight()/2;
String out = String.format("x=%d, y=%d", x, y);
Log.i(TAG+".scroll", out);

//Kurru's simulating clicking view
MotionEvent event = MotionEvent.obtain(100, 100, MotionEvent.ACTION_DOWN, x, y, 0);
mG.onDown(event); 
boolean res = mG.onSingleTapUp(null);
Log.i(TAG+".scroll", "onSingleTapUp return =" + res);       

}

问题是它仅在我看到 3 张图像时才有效,而且显然它甚至在某些设备上都不起作用。

但是,当我一次只显示一个图像时(它们几乎占据了设备的所有宽度),这种方法不起作用。这就是为什么我实现了以下方法:

@Override
public boolean onFling(MotionEvent e1, MotionEvent e2, float velocityX,
        float velocityY) {

    if(e1 == null || e2 == null) return false;
    if (isScrollingLeft(e1, e2)) { // Check if scrolling left


        if(State.curentZoom==0)
            return super.onFling(e1, e2, State.imgWidthBig*1.1f, 0);
        else {
            scroll(BACKWARD);
            return true;
        }
    } else if (isScrollingRight(e1, e2)) { // Otherwise scrolling right

        if(State.curentZoom==0)
            return super.onFling(e1, e2, (-1)*State.imgWidthBig*1.1f, 0);
        else {
            scroll(FORWARD);
            return true;
        }
    } else
        return false;

}

使用其他帖子中的代码: 如何停止在图库小部件中滚动?

目标:计算正确的速度X,以便从一张幻灯片平滑滚动到另一张幻灯片,无论是向左还是向右。速度以像素/秒计算。如果我提供的速度太小,那么图像会滚动一点并返回到前一个。如果速度太大,那么它会滚动超过一个图像,但我需要它一个接一个地滚动到下一个/上一个图像,即使距离非常小。我发现尝试时,最佳值略大于设备宽度,但我想知道是否所有设备都会如此。

4

1 回答 1

4

派对有点晚了。AOSP 提供了 2 个类来帮助您计算速度,VelocityTracker& ViewConfiguration。跟踪器消耗 MotionEvents 并输出 X/Y 速度。而 ViewConfiguration 声明了不同手势类型的阈值。

下面是一个使用 2 个类来检测投掷手势的简单示例。

    mVelocityTracker = VelocityTracker.obtain();
    mViewConfiguration = ViewConfiguration.get(mContext);

    mListView.setOnTouchListener(new OnTouchListener() {

        @Override
        public boolean onTouch(View v, MotionEvent event) {

            final int action = event.getActionMasked();
            mVelocityTracker.addMovement(event);

            if (action == MotionEvent.ACTION_UP) {
                mVelocityTracker.computeCurrentVelocity(1000, mViewConfiguration.getScaledMaximumFlingVelocity());
                if (mVelocityTracker.getXVelocity() > mViewConfiguration.getScaledMinimumFlingVelocity()) {
                    // horizontal fling!
                    return true;
                }
            }
            return false;
        }
    });
于 2014-04-29T11:27:56.730 回答