3

我想在我的 中有一个摘要RadioButton,有点像在CheckBoxPreference.

GPS 卫星复选框

我试图用类似这样的方法扩展RadioButton和覆盖该onDraw方法,但我坚持所有计算以使其布局良好。

@Override
protected void onDraw(Canvas canvas) {
  super.onDraw(canvas);
  Paint paint = new Paint();
  int textSize = 20;
  int horizontalStartPosition = getCompoundPaddingLeft() + getCompoundDrawablePadding();
  int verticalStartPosition = getBaseline() + getLineHeight();
  paint.setTextSize(textSize);
  paint.setColor(Color.GRAY);
  paint.setAntiAlias(true);
  canvas.drawText(summary, horizontalStartPosition, verticalStartPosition, paint);
}

呈现如下内容:

带有摘要的 RadioButton

这真的是要走的路(感觉不像)还是我应该尝试一些完全不同的东西?

4

1 回答 1

3

解决方案确实是覆盖该onDraw方法。这就是我最终如何做到的。

在构造函数上获取摘要文本的正确样式属性。

public SummaryRadioButton(Context context, AttributeSet attrs) {
  super(context, attrs);
  TypedArray a = getContext().getTheme()
    .obtainStyledAttributes(
      attrs,
      new int[] { android.R.attr.textSize,
        android.R.attr.textColor },
      android.R.attr.textAppearanceSmall, 0);
  textSize = a.getDimensionPixelSize(0, 15);
  textColor = a.getColorStateList(1);
  paint = new Paint(getPaint());
  paint.setTextSize(textSize);
  a.recycle();
}

onDraw获取基线的行高和垂直位置并计算摘要文本的正确起点。为单选按钮的状态使用正确的文本颜色。

@Override
protected void onDraw(Canvas canvas) {
  super.onDraw(canvas);
  if (summary != null && summary.length() > 0) {
    int horizontalStartPosition = getCompoundPaddingLeft()
        + getCompoundDrawablePadding();
    int verticalStartPosition = getBaseline() + getLineHeight();

    paint.setColor(textColor.getColorForState(getDrawableState(), 0));
    canvas.drawText((String) summary, horizontalStartPosition,
        verticalStartPosition, paint);
  }
}

setSummary文本中添加一个额外的换行符。这有点老套,但我想不出更好的方法让超类正确定位文本。

public void setSummary(CharSequence summary) {
  if (summary != null && summary.length() > 0) {
    setText(getText() + "\n");
  } else {
    setText(getText());
  }
  if (summary == null && this.summary != null || summary != null
      && !summary.equals(this.summary)) {
    this.summary = summary;
  }
}

因此,当摘要出现时,我们也需要覆盖getText并删除换行符。

@Override
@CapturedViewProperty
public CharSequence getText() {
  CharSequence text = super.getText();
  if (summary != null && summary.length() > 0) {
    text = text.subSequence(0, text.length() - 1);
  }
  return text;
}

您最终会得到一个带有摘要文本的漂亮单选按钮。但是,多行文本和摘要可能存在问题。在这个意义上的改进想法是受欢迎的。

于 2013-01-18T10:35:40.863 回答