我正在创建一个自定义ViewGroup。我确实需要一个在另一个之上的2 FrameLayout;停留在底部的一个必须为20dp,而另一个则必须覆盖其余视图。

onMeasure

@Override
protected void onMeasure(int widthMeasureSpec, int heightMeasureSpec) {
    int widthMode = MeasureSpec.getMode(widthMeasureSpec);
    int heightMode = MeasureSpec.getMode(heightMeasureSpec);
    int widthSize = MeasureSpec.getSize(widthMeasureSpec);
    int heightSize = MeasureSpec.getSize(heightMeasureSpec);
    setMeasuredDimension(widthSize, heightSize);

    final View content = getChildAt(CONTENT_INDEX);
    final View bar = getChildAt(BAR_INDEX);

    content.measure(
        MeasureSpec.makeMeasureSpec(widthSize, MeasureSpec.EXACTLY),
        MeasureSpec.makeMeasureSpec(heightSize - getPixels(BAR_HEIGHT), MeasureSpec.EXACTLY)
    );

    bar.measure(
        MeasureSpec.makeMeasureSpec(widthSize, MeasureSpec.EXACTLY),
        MeasureSpec.makeMeasureSpec(getPixels(BAR_HEIGHT), MeasureSpec.EXACTLY)
    );


onLayout

@Override
protected void onLayout(boolean changed, int l, int t, int r, int b) {
    mInLayout = true;

    final View content = getChildAt(CONTENT_INDEX);
    final View bar = getChildAt(BAR_INDEX);

    if (content.getVisibility() != GONE) {
        content.layout(0, 0, content.getMeasuredWidth(), content.getMeasuredHeight());
     }

     if (bar.getVisibility() != GONE) {
         bar.layout(0, content.getMeasuredHeight(), bar.getMeasuredWidth(), 0);
     }

     mInLayout = false;
     mFirstLayout = false;
 }
    }


我要添加到此自定义ViewGroup中的视图

LayoutParams lp = new LayoutParams(LayoutParams.MATCH_PARENT, LayoutParams.MATCH_PARENT);

mContentContainer = new FrameLayout(getContext());
mContentContainer.setLayoutParams(lp);

mBarContainer = new FrameLayout(getContext());
mBarContainer.setLayoutParams(lp);

// ... adding stuff to both containers ....

addView(mContentContainer, 0);
addView(mBarContainer, 1);


问题

mContentContainer可以正确渲染(从top = 0到bottom =(totalHeight-条形高度),并与父级的宽度匹配),而不会绘制条形。

android - 在自定义ViewGroup中使用onLayout正确布局子级-LMLPHP

最佳答案

View#layout()方法中的最后一个参数是View的底部。对于您的bar,您正在传递0,但是它应该是自定义View的高度,您可以根据传递给tbonLayout()值来确定该高度。

bar.layout(0, content.getMeasuredHeight(), bar.getMeasuredWidth(), b - t);

10-04 20:12