本节内容
1.引入容器尺寸需要确定的问题
2.子控件确定,计算父容器尺寸
一、引入容器尺寸需要确定的问题
1.match_parent:这个意思就是匹配父容器的尺寸,它的模式为EXACTLY,大小就为父容器的大小。
2.wrap_content:这个意思是内容有多大,它就有多大。它的模式为AT_MOST,大小也为父容器的大小。
3.在前面的demo中,我们如果把MyViewGroup的高度换为wrap_content,结果是没有变化的。
<com.example.association.MyViewGroup
android:layout_width="match_parent"
android:layout_height="wrap_content">
4.但是当我们把最前面的RelativeLayout改为ScrollView滚动条之后,高度就会变为0,这个时候就什么都看不到了。
-
这是因为,ScrollView是滚动条,它并没有固定的高度,所以无法确定它的高度。如果要做出滚动条的效果,那么就要计算一下屏幕的高度,而不是父容器的高度。
<ScrollView xmlns:android="http://schemas.android.com/apk/res/android"
下面我们就实现一下,子控件尺寸确定,来计算父容器尺寸。
二、子控件确定,计算父容器尺寸
1.先把MyViewGroup的宽高全部设为wrap_content,然后添加一个子控件,宽高都设为150dp
<com.example.association.MyViewGroup
android:layout_width="wrap_content"
android:layout_height="wrap_content">
<View
android:layout_width="150dp"
android:layout_height="150dp"
android:background="@color/colorAccent"/>
</com.example.association.MyViewGroup>
2.先在onMeasure方法里面测量子view,并确定自己的最终尺寸。其中measureChild()方法是一种快速测量子Veiw的方法。确定父容器的尺寸时,调用了setMeasuredDimension()方法,传过去的参数是容器的宽高。
override fun onMeasure(widthMeasureSpec: Int, heightMeasureSpec: Int) {
//先预测量一下自己的限制尺寸 size mode
super.onMeasure(widthMeasureSpec, heightMeasureSpec)
//获取子控件的尺寸
val child = getChildAt(0)
val lp = child.layoutParams
//测量子控件
measureChild(child,widthMeasureSpec,heightMeasureSpec)
//确定父容器的尺寸
setMeasuredDimension(lp.width+2*space,lp.height+2*space)
}
3.然后在onLayout方法里面进行布局。
override fun onLayout(changed: Boolean, l: Int, t: Int, r: Int, b: Int) {
//获取某一个子控件 因为目前只加了一个控件,所以0就是代表我们的控件
//对子控件进行布局
val child = getChildAt(0)
var left = space
var top= space
var right= left + child.measuredWidth
var bottom= top + child.measuredHeight
child.layout(left,top,right,bottom)
}
之后得到的结果如下图所示。
一个控件
三、容器中有多个控件
1.在onMeasure方法里面,先for循环测量子控件。
for (i in 0 until childCount){
val child = getChildAt(i)
//测量子控件
measureChild(child,widthMeasureSpec,heightMeasureSpec)
}
2.在计算父容器的尺寸之前,要先确定行和列。然后再计算父容器的宽高。
-
如果只有一个子view的话,那么宽就为 2space + child.measuredWidth,如果有>=2个子view的话,那么宽度就固定为 2child.measuredWidth + 3*space
-
因为算行的时候是从0行开始计算的,所以计算高度时,是从(row+1)开始乘的
var w = 0
var h = 0
var row = (childCount-1)/2
var column = (childCount-1)%2
val child = getChildAt(0)
w = if (childCount==1){
2*space + child.measuredWidth
}else{
2*child.measuredWidth + 3*space
}
h = space+(row+1)*(child.measuredWidth+space)
setMeasuredDimension(w,h)
3.在onLayout里面布局的时候,也要重新计算当前的行和列。然后根据行列来确定子view摆放的位置。
for (i in 0 until childCount){
val child = getChildAt(i)
var row = i/2
var column = i%2
left = space + column*(space+child.measuredWidth)
top = space + row*(space+child.measuredHeight)
right = left + child.measuredWidth
bottom = top + child.measuredHeight
child.layout(left,top,right,bottom)
}
最后,我们添加三个子view,得到了如下结果
三个子view
以上就是子控件确定,计算父容器的方法。
-
子控件必须要测量才能知道尺寸,可以直接使用measureChild()方法,因为我们给子控件设置了具体的尺寸。如果没有写死的话,就要调用child.measure方法,并通过MeasureSpec.makeMeasureSpec(childWidth,MeasureSpec.EXACTLY)计算参数。
-
设置父容器的尺寸时,一定要调用setMeasuredDimension(w,h)方法。
-
掌握这种方法,就可以滚动显示了。添加多个view,使用ScrollView就会出现滚动条。
网友评论