一 使用 onMeasure():
(1) 理解 MeasureSpec
在测量过程中,系统会将 View 的 LayoutParams 根据父容器所施加的规则转换成对应的 MeasureSpec ,然后根据这个 MeasureSpec 测量出 View 的宽/高。
- MeasureSpec 代表一个 32 位 int 值,高 2 位代表 SpecMode ,低 30 位代表 SpecSize。
SpecMode:测量模式。
SpecSize:某种测量模式下规格的大小。- MeasureSpec 将 SpecMode与SpecSize 打包成一个 int 值,避免过多的内存分配,而 MeasureSpec 值可以解包成 SpecMode与SpecSize 。(MeasureSpec 这里指的 int 值)
- SpecMode有三类:
UNSPECIFIED(未指明):父容器不对 View 有任何限制,要多大给多大,这种情况一般用于系统内部,表示一种测量状态。
EXACTLY(恰好的):父容器已经检测出 View 所需要的大小,这个时候 View 的最终大小就是 SpecSize 所指定的值,它对应 LayoutParams 中的 match_parent 和具体数值的两种模式。
AT_MOST(至多的):父容器指定了一个大小可用的 SpecSize ,View 的大小不能大于这个值,具体是什么值看 View 的具体实现,它对应 LayoutParams 的 wrap_content。
决定因素:值由子View的布局参数LayoutParams和父容器的MeasureSpec值共同决定。具体规则见下图:
(2) 简单实现
重写
onMeasure()
方法public class MeasureView extends View { public MeasureView(Context context, @Nullable AttributeSet attrs) { super(context, attrs); } @Override protected void onMeasure(int widthMeasureSpec, int heightMeasureSpec) { super.onMeasure(widthMeasureSpec, heightMeasureSpec); } }
布局中使用
<com.example.q9163.myandroid.MeasureView android:id="@+id/MeasureView" android:layout_width="wrap_content" android:layout_height="wrap_content" android:background="@color/colorAccent"/>
运行之后,wrap_content
在此时和match_parent
效果是一样的。都是沾满全屏。此时在Acitivity中拿到的MeasureView
的大小和match_parent
是一样的。(3) 修改onMeasure()方法
public class MeasureView extends View { public MeasureView(Context context, @Nullable AttributeSet attrs) { super(context, attrs); } @Override protected void onMeasure(int widthMeasureSpec, int heightMeasureSpec) { // 在View的onMeasure()方法源码中,调用了setMeasuredDimension()方法来确定View的宽和高 setMeasuredDimension(measureWidth(widthMeasureSpec),measuredHeight(heightMeasureSpec)); } /** * 测量宽 * @param widthMeasureSpec */ private int measureWidth(int widthMeasureSpec) { int result ; int specMode = MeasureSpec.getMode(widthMeasureSpec);//高2位值 getMode() 返回三种模式 int specSize = MeasureSpec.getSize(widthMeasureSpec);//低30位值 getsize() 返回布局文件中的值 (px)。 if (specMode == MeasureSpec.EXACTLY){//恰好的 result = specSize; }else { result = 200; if (specMode == MeasureSpec.AT_MOST){//最大的 wrap_content result = Math.min(result,specSize); } } return result; } /** * 测量高 * @param heightMeasureSpec */ private int measuredHeight(int heightMeasureSpec) { int result ; int specMode = MeasureSpec.getMode(heightMeasureSpec); int specSize = MeasureSpec.getSize(heightMeasureSpec); if (specMode == MeasureSpec.EXACTLY){ result = specSize; }else{ result = 200; if(specMode == MeasureSpec.AT_MOST){//最大的 wrap_content result = Math.min(result,specSize); } } return result; } }
加入了利用
MeasureSpec
来判断模式。根据不同模式,进行对宽高赋值。在AT_MOST
也就是wrap_content
时,默认最大的宽高都是200px