在Android系统中绘制过程主要涉及的方法有 onMeasure、onLayout和onDraw。每个方法的作用如下:
在onMeasure()中通过MeasureSpec.getMode(widthMeasureSpec)、MeasureSpec.getSize(int measureSpec)获取控件的布局模式和测量大小。
通过measureChildren(int widthMeasureSpec, int heightMeasureSpec)或是measureChildren(View child, int widthMeasureSpec, int heightMeasureSpec)对子控件进行测量。
然后通过setMeasuredDimension(int measuredWidth, int measuredHeight)设置控件的尺寸
在onLayout()中,通过child.layout(int left, int top, int right, int bottom)对子控件进行布局
在onDraw(Canvas canvas)中对控件的内容进行绘制,比如在控件中绘制一个圆形、矩形等
当触摸屏幕时会产生一个Touch事件,所谓的事件传递机制就是将这个Touch事件分配给谁来处理的过程,系统将Touch事件封装成了MotionEvent。
触摸事件是在触摸屏幕时产生的,通常我们与手机交互的屏幕是一个Activity,当触摸屏幕时会调用Activity的dispatchTouchEvent(MotionEvent event),这里需要注意的是触摸屏幕时并不一定会执行Activity的dispatchTouchEvent(),比如说在Dialog、PopupWindow上触摸屏幕它们调用的是Dialog和PopupWindow自己的dispatchTouchEvent方法,因为Dialog和PopupWindow也是一个Window,虽然它们是展示在Activity之上的。下面说的都基于Window是Activity的情况。
事件传递到Activity中时,会调用getWindow().superDispatchTouchEvent(MotionEvent event)对事件进行分发,这中间会通过PhoneWindow > DecorView 的过程将事件传递到顶层View中(ViewGroup是继承于View的),通常我们顶层的View一般是LinearLayout或是RelativeLayout或是CoordinatorLayout。这里我们以LinearLayout为例。
事件传递到顶层View(LinearLayout)的dispatchTouchEvent(MotionEvent event),在LinearLayout的dispatchTouchEvent方法中,会先根据onInterceptTouchEvent()方法来判断是否对事件进行拦截。如果onInterceptTouchEvent()返回true,代表对事件进行拦截,及会执行LinearLayout的onTouchEvent(MotionEvent event)方法。在LinearLayout的onTouchEvent方法中如果返回true,那么事件消费结束;如果返回false,那么事件将由Activity的onTouchEvent方法处理。
比如说一种场景:公司需要做个活动页面,来展示活动情况。然后公司没有平面设计师设计个好看图片,需要我们自己通过代码来实现这个活动展示页面。这时候,我们会在页面上排布多个Image、TextView、Button等等控件。然后默认的Button控件有点击效果,这时候我们就可以重写Button的父控件LinearLayout的onInterceptTouchEvent方法,让其返回true,那么久Button就不会有点击效果了。
通常情况下LinearLayout下的onInterceptTouchEvent不会对事件进行拦截。
当LinearLayout对事件不进行拦截时,LinearLayout的dispatchTouchEvent方法继续往后执行。这时需要遍历所有的子控件,看是否有哪个子控件能够对事件进行消费,这个判断的依据通常有这几个方面:
如果没找到消费事件的子控件,那么事件将有LinearLayout自己消费,及执行LinearLayout的onTouchEvent方法;如果找到了,那么事件将传递到子控件的dispatchTouchEvent(MotionEvent event)中,这里以Button为例。
Button是继承于View的,没有onInterceptTouchEvent方法。通常在View的dispatchTouchEvent方法中会调用onTouchEvent(MotionEvent event)方法。如果Button的onTouchEvent返回true返回true,则事件传递结束,如果返回false,则事件会回传给LinearLayout的onTouchEvent执行。
至此事件的传递以结束。
冲突的根本原因是Touch事件不知道由谁来消费。解决这种问题一般需要对View进行重写才能解决,比如通常的ScrollView中嵌套ListView时,重写ListView的onMeasure方法,让其高度固定即可解决。一般手段有两种: