理解:
1.onLayout是ViewGroup用来显示子控件布局的被动调用方法
2.layout是view用来设置它在父容器的位置
其实我觉得调用时机和onMeasure原理是一样的,我这个viewGroup上面的容器调用了这个ViewGroup的layout方法,告诉它当前缩处的位置
这样会触发viewGroup的onLayout的方法,在这里我可以觉得如何摆放我这个viewGroup里面的空间的位置
onLayout方法是ViewGroup中子View的布局方法,用于放置子View的位置。放置子View很简单,只需在重写onLayout方法,然后获取子View的实例,调用子View的layout方法实现布局。在实际开发中,一般要配合onMeasure测量方法一起使用。
在自定义View中,onLayout配合onMeasure方法一起使用,可以实现自定义View的复杂布局。自定义View首先调用onMeasure进行测量,然后调用onLayout方法,动态获取子View和子View的测量大小,然后进行layout布局。
参考:http://www.2cto.com/kf/201404/291740.html
onLayout方法:
1
2
3
|
@Override
protected
abstract
void
onLayout(
boolean
changed,
int
l,
int
t,
int
r,
int
b);
|
layout方法:
1
|
public
void
layout(
int
l,
int
t,
int
r,
int
b);
|
平常开发所用到RelativeLayout、LinearLayout、FrameLayout...这些都是继承ViewGroup的布局。这些布局的实现都是通过都实现ViewGroup的onLayout方法,只是实现方法不一样而已。
下面是一个自定义ViewGroup的Demo,用onLayout和layout实现子View的水平放置,间隔是20px
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
|
public
class
MyViewGroup
extends
ViewGroup {
// 子View的水平间隔
private
final
static
int
padding =
20
;
public
MyViewGroup(Context context, AttributeSet attrs) {
super
(context, attrs);
// TODO Auto-generated constructor stub
}
@Override
protected
void
onLayout(
boolean
changed,
int
l,
int
t,
int
r,
int
b) {
// TODO Auto-generated method stub
// 动态获取子View实例
for
(
int
i =
0
, size = getChildCount(); i < size; i++) {
View view = getChildAt(i);
// 放置子View,宽高都是100
view.layout(l, t, l +
100
, t +
100
);
l +=
100
+ padding;
}
}
}
|
<RelativeLayout android:padding="10dp" android:layout_height="match_parent" android:layout_width="match_parent" xmlns:tools="http://schemas.android.com/tools" xmlns:android="http://schemas.android.com/apk/res/android">
<com.ymtj.test.myapplication.MyViewGroup android:layout_height="100dp" android:layout_width="match_parent" android:background="#0000ff">
<View android:layout_height="match_parent" android:layout_width="match_parent" android:background="#ff0000" />
<View android:layout_height="match_parent" android:layout_width="match_parent" android:background="#00ff00" />
</com.ymtj.test.myapplication.MyViewGroup>
</RelativeLayout>