Android 布局TextView嵌套TextView
时间: 2023-09-15 20:15:23 浏览: 135
可以使用 `SpannableString` 实现在 `TextView` 中嵌套另一个 `TextView` 的效果。
示例代码如下:
```java
TextView textView = findViewById(R.id.text_view);
SpannableString spannableString = new SpannableString("这是一个TextView,里面嵌套着另一个TextView");
TextView nestedTextView = new TextView(this);
nestedTextView.setText("嵌套的TextView");
nestedTextView.setTextSize(18);
nestedTextView.setTextColor(Color.BLUE);
spannableString.setSpan(new ForegroundColorSpan(Color.RED), 0, 8, Spannable.SPAN_EXCLUSIVE_EXCLUSIVE);
spannableString.setSpan(new ForegroundColorSpan(Color.GREEN), 8, 15, Spannable.SPAN_EXCLUSIVE_EXCLUSIVE);
spannableString.setSpan(new ForegroundColorSpan(Color.YELLOW), 15, spannableString.length(), Spannable.SPAN_EXCLUSIVE_EXCLUSIVE);
spannableString.setSpan(new CustomSpan(nestedTextView), 15, spannableString.length(), Spannable.SPAN_EXCLUSIVE_EXCLUSIVE);
textView.setText(spannableString);
```
其中,`CustomSpan` 是自定义的 `Span`,用于将 `TextView` 嵌套进去。示例代码如下:
```java
public class CustomSpan extends ReplacementSpan {
private final TextView textView;
public CustomSpan(TextView textView) {
this.textView = textView;
}
@Override
public int getSize(@NonNull Paint paint, CharSequence text, int start, int end, @Nullable Paint.FontMetricsInt fm) {
return (int) (textView.getPaint().measureText(text, start, end) + 0.5f);
}
@Override
public void draw(@NonNull Canvas canvas, CharSequence text, int start, int end, float x, int top, int y, int bottom, @NonNull Paint paint) {
textView.layout(0, 0, textView.getWidth(), textView.getHeight());
textView.draw(canvas);
}
}
```
注意,因为嵌套的 `TextView` 是动态创建的,所以需要在 `draw` 方法中先对其进行布局。
阅读全文