编写:Andrwyw - 原文:http://developer.android.com/training/gestures/movement.html
本节课程讲述如何追踪手势移动。
每当当前的触摸位置、压力、大小发生变化时,ACTION_MOVE事件都会触发onTouchEvent()函数。正如检测常用的手势中描述的那样,触摸事件全部都记录在onTouchEvent()函数的MotionEvent参数中。
因为基于手指的触摸的交互方式并不总是非常精确,所以检测触摸事件更多的是基于手势移动,而非简单地基于触摸。为了帮助app区分基于移动的手势(如滑动)和非移动手势(如简单地点击),Android引入了“touch slop”的概念。Touch slop是指,在被识别为基于移动的手势前,用户触摸可移动的那一段像素距离。关于这一主题的更多讨论,可以在管理ViewGroup中的触摸事件中查看。
根据应用的需求,有多种追踪手势移动的方式可以选择。比如:
getHistorical<Value>
我们可以简单地用基于距离,或(和)基于手指移动方向的移动手势。但是速度经常也是追踪手势特性的一个决定性因素,甚至是判断一个手势是否发生的依据。为了让计算速度更容易,Android提供了VelocityTracker类以及Support Library中的VelocityTrackerCompat类。VelocityTracker类可以帮助我们追踪触摸事件中的速度因素。如果速度是手势的一个判断标准,比如快速滑动(fling),那么这些类是很有用的。
下面是一个简单的例子,说明了VelocityTracker中API函数的用处。
public class MainActivity extends Activity { private static final String DEBUG_TAG = "Velocity"; ... private VelocityTracker mVelocityTracker = null; @Override public boolean onTouchEvent(MotionEvent event) { int index = event.getActionIndex(); int action = event.getActionMasked(); int pointerId = event.getPointerId(index); switch(action) { case MotionEvent.ACTION_DOWN: if(mVelocityTracker == null) { // Retrieve a new VelocityTracker object to watch the velocity of a motion. mVelocityTracker = VelocityTracker.obtain(); } else { // Reset the velocity tracker back to its initial state. mVelocityTracker.clear(); } // Add a user's movement to the tracker. mVelocityTracker.addMovement(event); break; case MotionEvent.ACTION_MOVE: mVelocityTracker.addMovement(event); // When you want to determine the velocity, call // computeCurrentVelocity(). Then call getXVelocity() // and getYVelocity() to retrieve the velocity for each pointer ID. mVelocityTracker.computeCurrentVelocity(1000); // Log velocity of pixels per second // Best practice to use VelocityTrackerCompat where possible. Log.d("", "X velocity: " + VelocityTrackerCompat.getXVelocity(mVelocityTracker, pointerId)); Log.d("", "Y velocity: " + VelocityTrackerCompat.getYVelocity(mVelocityTracker, pointerId)); break; case MotionEvent.ACTION_UP: case MotionEvent.ACTION_CANCEL: // Return a VelocityTracker object back to be re-used by others. mVelocityTracker.recycle(); break; } return true; } }
Note: 需要注意的是,我们应该在ACTION_MOVE事件,而不是在ACTION_UP事件后计算速度。在ACTION_UP事件之后,计算x、y方向上的速度都会是0。
Copyright© 2013-2020
All Rights Reserved 京ICP备2023019179号-8