Android手势检测
手势检测两个步骤
创建一个GestureDetector对象,创建该对象时必须实现一个OnGestureListener,必须实现里面五个方法。
-
重写onTouchEvent方法
@Override
public boolean onTouchEvent(MotionEvent event) {
// TODO Auto-generated method stub
return gesture.onTouchEvent(event);
}
五种典型情况
- 拖过:onDown-onScroll.....
- 点击:onDown--onSingleTapUp
- 长按并且未抬起:onDown-onShowPress-onLongPress
- 长按(按了一段时间就抬起来了):onDown-onShowPress-onSingleTapUp
- 迅速滑动:onDown-onScroll.....-onFling
利用手势检测实现类似电子书翻页的图片切换
在这里我们用到的组件时:ViewFlipper。它和ViewPager类似不过ViewPager帮我们封装了可以滑动,ViewFlipper使用ViewFlipper.addView()方法添加图片在自己定义一个动画出现这个效果。
1.我们将这个逻辑代码写在onFling()方法中。这个方法中有MotionEvent e1, MotionEvent e2, float velocityX,
float velocityY四个属性,第一二个分别代表记下初始和结束按下的点击事件,第三四个参数表示X,Y方向的速度的值。滑的快值也大
if (e2.getX()-e1.getX()>50) {
//从左向右滑,显示上一页。
vf.setOutAnimation(animations[3]);
vf.setInAnimation(animations[2]);
vf.showPrevious();
}else if (e2.getX()-e1.getX()<-50) {
//从右向左滑,下一页
vf.setOutAnimation(animations[1]);
vf.setInAnimation(animations[0]);
vf.showNext();
}
animations定义的是一个动画数组
//animations[1]=AnimationUtils.loadAnimation(this, R.anim.current_out);
current_out动画属性里的值用到的是位移动画
//<translate
//android:duration="1000"
//android:fromXDelta="0"
//android:fromYDelta="0"
//android:toXDelta="-100%p"
//android:toYDelta="0">
其中-100%p表示在屏幕左边看不到部分的第一个组件。100%p表示在屏幕右边看不到部分的第一个组件
利用手势检测实现图片的放大和缩小
将要实现的逻辑代码写到onScroll方法中
System.out.println(e2.getPointerCount());
if (e2.getPointerCount()==2) {
float X=e2.getX(0)-e2.getX(1);
float Y=e2.getY(0)-e2.getX(1);
float current=(float) Math.sqrt(X*X+Y*Y);
if (lastCurrent<0) {
lastCurrent=current;
}else {
LayoutParams params=(LayoutParams) imageView.getLayoutParams();
if (lastCurrent-current>0) {
//两点距离变小
System.out.println("缩小");
lastCurrent=current;
//缩小
params.width=(int) (0.9*imageView.getWidth());
params.height=(int) (0.9*imageView.getHeight());
//最小缩到宽度为100
if (params.width>1) {
imageView.setLayoutParams(params);
}
}else if (current-lastCurrent>0) {
System.out.println("放大");
lastCurrent=current;
//放大
params.width=(int) (1.1*imageView.getWidth());
params.height=(int) (1.1*imageView.getHeight());
//最大放大宽度为1000
if (params.width<10000) {
imageView.setLayoutParams(params);
}
}
}
}
return false;
其中lastCurrent定义的是一个全局变量,初始化在onDown方法中lastCurrent=-1f,因为等下一次放大或是缩小的时候必须重新赋值,否则会记录上一次最后的那个距离。