今天快被这个问题折磨死了,自己第一次试的时候明明不生效,但是后来却好了,我却不知道改了什么,像失忆了一样。
在看了源码之后,我可以负责人的告诉大家,这是一个伪命题
很多场景下我们会动态加载一个layout,就像这样
val view = LayoutInflater.from(this).inflate(R.layout.test_add_view_layout, null)
test_container.addView(view)
看起来很简单,其实里面有几个坑
我们知道inflate最终都会走到三个参数的方法
View inflate(@LayoutRes int resource, @Nullable ViewGroup root, boolean attachToRoot)
大家都知道第一个参数就是要加载的资源文件,但是第二个,第三个参数为什么有的地方传有的地方不传?
第二个参数命名为 root,就说名如果传,一定要传我们想把资源文件加载到的父View,
那第三个参数 attachToRoot 就是说如果root参数传进来了,而且该参数为true的话,就会直接将资源布局加载到root中,看源码
// We are supposed to attach all the views we found (int temp)
// to root. Do that now.
if (root != null && attachToRoot) {
root.addView(temp, params);
}
代码中显而易见
那如果root不为null,但是attachToRoot为false怎么办,看源码:
if (root != null) {
// Create layout params that match root, if supplied
params = root.generateLayoutParams(attrs);
if (!attachToRoot) {
// Set the layout params for temp if we are not
// attaching. (If we are, we use addView, below)
temp.setLayoutParams(params);
}
}
回到题目上来,有人说我布局中明明是match_parent,但是显示出来看着怎么像wrap_content呢?这段代码告诉我们仅当我们传入的root不为null时才会从xml中解析我们设置的LayoutParams,包括width,margin,所以说当我们使用时仅仅这个样的话
val view = LayoutInflater.from(this).inflate(R.layout.test_add_view_layout, null)
test_container.addView(view)
是不会解析xml中的属性的!!!
那我为什么说match_parent不是生效是伪命题呢,既然都没有解析,那LayoutParams怎么来的呢? 就在addView中来的,看源码:
public void addView(View child, int index) {
if (child == null) {
throw new IllegalArgumentException("Cannot add a null child view to a ViewGroup");
}
LayoutParams params = child.getLayoutParams();
if (params == null) {
//生成一个LayoutParams
params = generateDefaultLayoutParams();
if (params == null) {
throw new IllegalArgumentException("generateDefaultLayoutParams() cannot return null");
}
}
addView(child, index, params);
}
在addView的时候,如果发现view没有LayoutParams会生成一个,这是ViewGroup里的方法
protected LayoutParams generateDefaultLayoutParams() {
return new LayoutParams(LayoutParams.WRAP_CONTENT, LayoutParams.WRAP_CONTENT);
}
这里生成的是WRAP_CONTENT,但是我在刚开始说了,为什么有的时候match_parent生效了呢?这个确实困扰了好几个小时,然后我突然发现这个方法是protected,也就是说很有可能会被子类重写,果然不出我所料,我简直要哭了
在FrameLayout中它是这样的:
@Override
protected LayoutParams generateDefaultLayoutParams() {
return new LayoutParams(LayoutParams.MATCH_PARENT, LayoutParams.MATCH_PARENT);
}
生成的就是MATCH_PARENT啊,震惊!!!
在LinearLayout中又是这样的:
@Override
protected LayoutParams generateDefaultLayoutParams() {
if (mOrientation == HORIZONTAL) {
return new LayoutParams(LayoutParams.WRAP_CONTENT, LayoutParams.WRAP_CONTENT);
} else if (mOrientation == VERTICAL) {
return new LayoutParams(LayoutParams.MATCH_PARENT, LayoutParams.WRAP_CONTENT);
}
return null;
}
在RelativeLayout、ConstraintLayout中是这样的:
@Override
protected ViewGroup.LayoutParams generateDefaultLayoutParams() {
return new LayoutParams(LayoutParams.WRAP_CONTENT, LayoutParams.WRAP_CONTENT);
}
哎呀,心好累啊,真相到这里终于水落石出了,希望能解除大家心头的疑惑,若有错误,欢迎指正。
网友评论