ScrollView嵌套ListView为什么只显示一行?解决方法以及原理

1.问题复现路径。

    在使用ScrollView中如果嵌套ListView,则ListView只会显示一行。

2.解决办法,自定义ListView,并重写onMeasure()方法。

@Override
protected void onMeasure(int widthMeasureSpec, int heightMeasureSpec){
    int heightSpec = MeasureSpec.makeMeasureSpec(Integer.MAX_VALUE >> 2, MeasureSpec.AT_MOST);
    super.onMeasure(widthMeasureSpec, heightSpec);
 }

3原理解析。

3.1.造成原因

    查看ListView中onMeasure()方法,省略部分代码。

if (heightMode == MeasureSpec.UNSPECIFIED) {
    heightSize = mListPadding.top + mListPadding.bottom + childHeight + getVerticalFadingEdgeLength() * 2;
}
if (heightMode == MeasureSpec.AT_MOST) {
    heightSize = measureHeightOfChildren(widthMeasureSpec, 0, NO_POSITION, heightSize, -1);
}

    从上面代码可以看出,ListView的高度是由HeightMode决定的,如果Mode是UNSPECIFIED的话只显示一个条目的高度,而高度如果是AT_MOST的话,ListView则会完全显示,所以我们的解决方法是设置ListView的最大高度,并设置高度的Mode。
    很明显,如果在ScrollView中的ListView只显示一行的话,那是ListView的高度Mode是UNSPECIFIED,so,问题来了,它是什么时候设置的Mode呢?
    我们知道,在测量view高度的时候,高度是由父布局给子view的,OK,很明显,ListView的父布局是ScrollView,那我们进去ScrollView的onMeasure()方法中看一看到底是怎么设置ListView高度的Mode的?
    仔细看了一下,ScrollView的onMeasure()方法并没有什么可用的信息,哈哈,是不是有点逗???我也觉得。于是又进入了ScrollView的父类FrameLayout中的onMeasure()方法。

measureChildWithMargins(child, widthMeasureSpec, 0,heightMeasureSpec, 0);

    在FrameLayout中的onMeasure()方法中,有一个重要方法measureChildWithMargins(),其中ScrollView重写了该方法。

/**
 * Ask one of the children of this view to measure itself, taking into
 * account both the MeasureSpec requirements for this view and its padding
 * and margins. The child must have MarginLayoutParams The heavy lifting is
 * done in getChildMeasureSpec.
 **/
@Override
protected void measureChildWithMargins(View child, int parentWidthMeasureSpec, int widthUsed,
    int parentHeightMeasureSpec, int heightUsed) {
    final MarginLayoutParams lp = (MarginLayoutParams) child.getLayoutParams();
    final int childWidthMeasureSpec = getChildMeasureSpec(parentWidthMeasureSpec,
                mPaddingLeft + mPaddingRight + lp.leftMargin + lp.rightMargin
                        + widthUsed, lp.width);
    final int usedTotal = mPaddingTop + mPaddingBottom + lp.topMargin + lp.bottomMargin +
                heightUsed;
    final int childHeightMeasureSpec = MeasureSpec.makeSafeMeasureSpec(
                Math.max(0, MeasureSpec.getSize(parentHeightMeasureSpec) - usedTotal),
                MeasureSpec.UNSPECIFIED);

    child.measure(childWidthMeasureSpec, childHeightMeasureSpec);
    }

    由api介绍可知,该方法主要是将FrameLayout中子view(也就是我们文中的ScrollView)的margin作为视图的一部分,最最最重要的一点来了,在倒数第二条语句,设置了在测量子view时候,给子view高度设置的Mode为UNSPECIFIED,所以这也就是为什么ListView的高度只显示一个条目的原因。

以上为个人愚见,让个人同仁提出宝贵意见。

你可能感兴趣的:(ScrollView嵌套ListView为什么只显示一行?解决方法以及原理)