什么是事件分发
我们在写自定义ViewGroup或者自定义View的时候经常要处理用户的点击事件,如果我们的View在最底层,他在很多ViewGroup里面,我们如何让我们的点击事件准确传递到View里面,这就涉及到一个View很重要的知识点,View的事件分发。事件分发,分开来讲就是事件+分发,所谓事件指的就是View的被手机触摸后产生的事件MotionEvent,而分发指的就是MotionEvent的传递和处理。
下面,我们说一下单手指触摸事件有哪些
ACTION_DOWN——手指刚触摸屏幕
ACTION_MOVE——手指在屏幕上移动
ACTION_UP———手指从屏幕上松开的一瞬间
事件讲完了,我们接下来说一下分发过程中涉及到的方法
dispatchTouchEvent(MotionEvent ev)
onInterceptTouchEvent(MotionEvent ev)
onTouchEvent(MotionEvent event)
所以事件分发,结合这些代码就是每一个ACTION皆会触发那些方法。我们在要做就是根据需求来决定那个事件分发到那层,以及搞清楚为什么会这样分发。
接下来,我们通过一个例子来仔细讲讲这三个方法以及上述三个事件。
简单的例子了解事件分发
测试的例子如上,我们编写三个自定义view来演示这个效果,第一个是ViewGroupA,也就是最外层的绿的,第二个是ViewGroupB,也就是中间的蓝的,然后是最里面的黑色的View。XML布局如下:
<com.byhieg.viewdipatch.custormview.ViewGroupA
Android:layout_width="300dp"
android:layout_height="300dp"
android:background="@android:color/holo_green_light">
<com.byhieg.viewdipatch.custormview.ViewGroupB
android:layout_width="200dp"
android:layout_height="200dp"
android:background="@android:color/holo_blue_light">
<com.byhieg.viewdipatch.custormview.ViewTest
android:layout_width="100dp"
android:layout_height="100dp" />
</com.byhieg.viewdipatch.custormview.ViewGroupB>
</com.byhieg.viewdipatch.custormview.ViewGroupA>
ViewGroupA 里面放入子View ——ViewGroupB 然后ViewGroupB放入子View-ViewTest
三者的代码如下:
ViewGroupA:
public class ViewGroupA extends ViewGroup{
public ViewGroupA(Context context) {
super(context);
}
public ViewGroupA(Context context, AttributeSet attrs) {
super(context, attrs);
}
public ViewGroupA(Context context, AttributeSet attrs, int defStyleAttr) {
super(context, attrs, defStyleAttr);
}
@Override
protected void onMeasure(int widthMeasureSpec, int heightMeasureSpec) {
super.onMeasure(widthMeasureSpec, heightMeasureSpec);
measureChildren(widthMeasureSpec,heightMeasureSpec);
}
@Override
protected void onLayout(boolean changed, int l, int t, int r, int b) {
int childCount = getChildCount();
for(
int i =
0;i < childCount;i++) {
View child = getChildAt(i);
child.layout(
0,
0, Change.dip2px(getContext(),
200),Change.dip2px(getContext(),
200));
}
}
@Override
public boolean dispatchTouchEvent(MotionEvent ev) {
Log.e(
"ViewGroupA",
"ViewGroupA dispatchTouchEvent" + ev.getAction());
return super.dispatchTouchEvent(ev);
}
@Override
public boolean onInterceptTouchEvent(MotionEvent ev) {
Log.e(
"ViewGroupA",
"ViewGroupA onInterceptTouchEvent" + ev.getAction());
return super.onInterceptTouchEvent(ev);
}
@Override
public boolean onTouchEvent(MotionEvent event) {
Log.e(
"ViewGroupA",
"ViewGroupA onTouchEvent" + event.getAction());
return super.onTouchEvent(event);
}
}