扩展FrameLayout,子视图将不再显示

时间:2012-09-11 08:06:17

标签: android android-layout

这是我的FrameLayout代码:

<FrameLayout
        android:layout_width="fill_parent" android:layout_height="wrap_content">
    <ImageView
            android:id="@+id/frameView"
            android:layout_width="fill_parent"
            android:layout_height="fill_parent"
            android:src="@drawable/image1"
            />
</FrameLayout>

ImageView显示效果很好。

现在我有一个从FrameLayout扩展的自定义布局,例如MyFrameLayout。

在MyFrameLayout中,我希望布局的高度始终是宽度的一半,所以我的代码是:

public class MyFrameLayout extends FrameLayout {

     // 3 constructors just call super

     @Override
     protected void onMeasure(int widthMeasureSpec,
                         int heightMeasureSpec) {
        int width = MeasureSpec.getSize(widthMeasureSpec);
        int height = (int) (width * 0.5);
        setMeasuredDimension(width, height);
    }
}

然后在xml:

中使用它
<com.test.MyFrameLayout
        android:layout_width="fill_parent" android:layout_height="wrap_content">
    <ImageView
            android:id="@+id/frameView"
            android:layout_width="fill_parent"
            android:layout_height="fill_parent"
            android:src="@drawable/image1"
            />
</com.test.MyFrameLayout>

但现在内部的ImageView消失了。

我认为我没有正确实施onMeasureonLayout。我想我也需要调整子视图的大小。但我现在不知道该怎么做。


更新

根据 TheDimasig 的评论,我刚检查了我的代码并更新了我的问题。感谢

3 个答案:

答案 0 :(得分:16)

最简单的方法是更改​​onMeasure中的measurespec,但仍然调用super:

 @Override
 protected void onMeasure(int widthMeasureSpec,
                     int heightMeasureSpec) {
    int width = MeasureSpec.getSize(widthMeasureSpec);
    int height = (int) (width * 0.5);
    heightMeasureSpec = MeasureSpec.makeMeasureSpec(height, MeasureSpec.EXACTLY);
    super.onMeasure(widthMeasureSpec, heightMeasureSpec);
}

通过这种方式,您可以获得所需的尺寸,但无需手动测量儿童尺寸。

答案 1 :(得分:8)

您没有看到任何子视图,因为您没有正确覆盖方法onMeasure。您可以让超类实现逻辑(因此将显示子视图),然后重置MyFrameLayout的计算宽度和高度:

@Override
protected void onMeasure(int widthMeasureSpec, int heightMeasureSpec) {
    // let the super class handle calculations
    super.onMeasure(widthMeasureSpec, heightMeasureSpec);
    // set again the dimensions, this time calculated as we want
    setMeasuredDimension(getMeasuredWidth(), getMeasuredHeight() / 2);
    // this is required because the children keep the super class calculated dimensions (which will not work with the new MyFrameLayout sizes) 
    final int count = getChildCount();
    for (int i = 0; i < count; i++) {
        final View v = getChildAt(i);
        // this works because you set the dimensions of the ImageView to FILL_PARENT          
        v.measure(MeasureSpec.makeMeasureSpec(getMeasuredWidth(),
                MeasureSpec.EXACTLY), MeasureSpec.makeMeasureSpec(
                getMeasuredHeight(), MeasureSpec.EXACTLY));
    }
}

如果您发布的布局不是完整布局,那么我的代码可能无效。

答案 2 :(得分:2)

我想在您的onMeasure方法中,您忘记在所有子视图上调用onMeasure,包括您的ImageView。你必须通过所有孩子的观点,并在他们身上打电话给他们:

    for (int i = 0; i < getChildCount(); i++) {
        getChildAt(i).measure(....);
    }