如何在onMeasue中处理自定义视图的权重?

时间:2012-01-25 23:13:42

标签: android android-layout android-custom-view android-layout-weight

我有一个自定义视图,我正在创建它将缩放其子TextViews的字体大小以适应所有设置宽度,因此每个视图都在它自己的行上。显然,它需要宽度来计算出来。

我这样覆盖了onMeasure()

@Override
protected void onMeasure(int widthMeasureSpec, int heightMeasureSpec) {
  int widthSize = MeasureSpec.getSize(widthMeasureSpec);
  int lineWidth = widthSize - getPaddingLeft() - getPaddingRight();

  // Change the text size until the largest line of text fits.
  while (lineWidth < calculateTextWidth()) {
    for (TextView textView : this.childViews) {
      float newSize = textView.getTextSize() - 1;
      textView.setTextSize(TypedValue.COMPLEX_UNIT_PX, newSize);
    }
  }

  super.onMeasure(widthMeasureSpec, heightMeasureSpec);
}

calculateTextWidth()计算最大文本行的宽度,一切都可以使用。这段代码适用于FILL_PARENTWRAP_CONTENT宽度,但是当我尝试给组件增加一个重量并让它自动设置它的重量时,它会搞砸。

MeasureSpec.getSize(widthMeasureSpec)返回0getMinimumSuggestedWidth()也是如此。这给出了一个很好的Activity Not Responding错误,因为lineWidth将始终小于calculateTextWidth()将返回,因此while循环将永远运行。我使用的XML代码基本上是这样的:

<com.my.widgets.ScalingTextViewGroup
  android:layout_width="0dp"
  android:layout_height="wrap_content"
  android:layout_weight="1"
  android:orientation="vertical"
  android:gravity="center_horizontal"
  >
    <TextView
        android:id="@+id/text_1"
        android:text="Text 1"
        android:textSize="20sp" />
    <TextView
        android:id="@+id/text_2"
        android:text="Text 2"
        android:textSize="18sp" />
    <TextView
        android:id="@+id/text_3"
        android:text="Text 3"
        android:textSize="18sp" />
    <TextView
        android:id="@+id/text_4"
        android:text="Text 4"
        android:textSize="18sp" />
</com.my.widgets.ScalingTextViewGroup>

我理解为什么它会返回0 - 很明显,它被设置为0 - 但是如何让它使用layout_weight?我觉得这应该有一个简单的答案,但我不知道它是什么。

1 个答案:

答案 0 :(得分:10)

我最终通过一些重要的谷歌搜索搞清楚了。在this page上,我发现当设置android:layout_weight时, onMeasure实际上被调用了两次。后来我发现在How Android Draws Views中提到measure()可以被多次调用,它只是没有立即进入我的大脑。第一遍显然无法给出每个孩子的大小值,因为它不知道所有View的兄弟姐妹的权重是多少。它通过它一次并使用MeasureSpec.UNSPECIFIED给出宽度为0以查看子项是否有任何特定约束,然后再次通过 以使用MeasureSpec.EXACTLY分配实际权重。我的活动在第一次通过时搞砸了,所以它从未进入布局步骤。将onMeasure()修改为以下代码修复了问题。

@Override
protected void onMeasure(int widthMeasureSpec, int heightMeasureSpec) {
  int widthMode = MeasureSpec.getMode(widthMeasureSpec);
  if (widthMode != MeasureSpec.UNSPECIFIED) {
    int widthSize = MeasureSpec.getSize(widthMeasureSpec);
    int lineWidth = widthSize - getPaddingLeft() - getPaddingRight();

    // Change the text size until the largest line of text fits.
    while (lineWidth < calculateTextWidth()) {
      for (TextView textView : this.childViews) {
        float newSize = textView.getTextSize() - 1;
        textView.setTextSize(TypedValue.COMPLEX_UNIT_PX, newSize);
      }
    }
  }

  super.onMeasure(widthMeasureSpec, heightMeasureSpec);
}