您好,我在文本视图中设置了一些文本。
TextView tweet = (TextView) vi.findViewById(R.id.text);
tweet.setText(Html.fromHtml(sb.toString()));
然后我需要将TextView
的文本转换为Spannble
.所以我这样做了:
Spannable s = (Spannable) tweet.getText();
我需要将其转换为Spannable
因为我将TextView
传递给了一个函数:
private void stripUnderlines(TextView textView) {
Spannable s = (Spannable) textView.getText();
URLSpan[] spans = s.getSpans(0, s.length(), URLSpan.class);
for (URLSpan span : spans) {
int start = s.getSpanStart(span);
int end = s.getSpanEnd(span);
s.removeSpan(span);
span = new URLSpanNoUnderline(span.getURL());
s.setSpan(span, start, end, 0);
}
textView.setText(s);
}
private class URLSpanNoUnderline extends URLSpan {
public URLSpanNoUnderline(String url) {
super(url);
}
@Override
public void updateDrawState(TextPaint ds) {
super.updateDrawState(ds);
ds.setUnderlineText(false);
}
}
这不会显示任何错误/警告。但是抛出运行时错误:
java.lang.ClassCastException: android.text.SpannedString cannot be cast to android.text.Spannable
如何将文本视图的 SpannedStringt/text 转换为 Spannble?或者我可以在函数中使用 SpannedString 执行相同的任务吗?
如何将文本视图的 SpannedStringt/text 转换为 Spannble?
new SpannableString(textView.getText())
应该有效。
或者我可以在函数中使用 SpannedString 执行相同的任务吗?
抱歉,removeSpan()
和setSpan()
是Spannable
接口上的方法,SpannedString
没有实现Spannable
。
这应该是正确的解决方法。它已经晚了,但将来有人可能需要它
private void stripUnderlines(TextView textView) {
SpannableString s = new SpannableString(textView.getText());
URLSpan[] spans = s.getSpans(0, s.length(), URLSpan.class);
for (URLSpan span : spans) {
int start = s.getSpanStart(span);
int end = s.getSpanEnd(span);
s.removeSpan(span);
span = new URLSpanNoUnderline(span.getURL());
s.setSpan(span, start, end, 0);
}
textView.setText(s);
}
private class URLSpanNoUnderline extends URLSpan {
public URLSpanNoUnderline(String url) {
super(url);
}
@Override
public void updateDrawState(TextPaint ds) {
super.updateDrawState(ds);
ds.setUnderlineText(false);
}
}
这些都不适合我,但在摆弄了您的所有解决方案之后,我发现了一些有用的东西。
它将错误地将textView.getText((转换为Spannable,除非您将其指定为SPANNABLE。
另请注意@CommonsWare的页面:
请注意,您不想在 TextView 上调用 setText((,认为您将用修改后的版本替换文本。您正在此fixTextView((方法中就地修改TextView的文本,因此setText((不是必需的。更糟糕的是,如果你使用的是android:autoLink,setText((会导致Android返回并再次添加URLSpans。
accountAddressTextView.setText(accountAddress, TextView.BufferType.SPANNABLE);
stripUnderlines(accountAddressTextView);
private void stripUnderlines(TextView textView) {
Spannable entrySpan = (Spannable)textView.getText();
URLSpan[] spans = entrySpan.getSpans(0, entrySpan.length(), URLSpan.class);
for (URLSpan span: spans) {
int start = entrySpan.getSpanStart(span);
int end = entrySpan.getSpanEnd(span);
entrySpan.removeSpan(span);
span = new URLSpanNoUnderline(entrySpan.subSequence(start, end).toString());
entrySpan.setSpan(span, start, end, 0);
}
}
如果在设置TextView
的文本时指定BufferType.SPANNABLE
,那么在获取文本时可以将其转换为Spannable
myTextView.setText("hello", TextView.BufferType.SPANNABLE);
...
...
...
Spannable str = (Spannable) myTextView.getText();