我有一个textview,我目前匹配以下链接:
Linkify.addLinks(holder.tvMessage, Linkify.ALL);
但是,现在我想匹配除了一个特定网址http://dontmatch.com之外的所有内容(电话号码,电子邮件,网址)。
我尝试过后续调用,例如:
Linkify.addLinks(holder.tvMessage, Linkify.EMAIL_ADDRESSES);
Linkify.addLinks(holder.tvMessage, Linkify.PHONE_NUMBERS);
Linkify.addLinks(holder.tvMessage, Linkify.MAP_ADDRESSES);
Linkify.addLinks(holder.tvMessage, pattern, "http://");
但似乎每次通话都会覆盖前一次离开最后一次通话链接的链接。我也不确定如何编写正则表达式以匹配除我希望忽略的网站之外的所有内容。我需要MatchFilter吗?
更新
我可以过滤掉我不想要的网址:
Linkify.addLinks(holder.tvMessage, Patterns.WEB_URL, null, new MatchFilter() {
@Override
public boolean acceptMatch(CharSequence seq, int start, int end) {
String url = seq.subSequence(start, end).toString();
//Apply the default matcher too. This will remove any emails that matched.
return !url.contains("dontmatch") && Linkify.sUrlMatchFilter.acceptMatch(seq, start, end);
}
}, null);
但我如何指定我也想要电子邮件,电话号码等?
答案 0 :(得分:2)
最后我解决了这个问题,但我真的希望有更好的方法:
private void linkifyView(TextView textview) {
Linkify.addLinks(textview, Patterns.WEB_URL, null, new MatchFilter() {
@Override
public boolean acceptMatch(CharSequence seq, int start, int end) {
String url = seq.subSequence(start, end).toString();
//Apply the default matcher too. This will remove any emails that matched.
return !url.contains(IGNORE_URL) && Linkify.sUrlMatchFilter.acceptMatch(seq, start, end);
}
}, null);
//Linkify removes any existing spans when you call addLinks, and doesn't provide a way to specify multiple
//patterns in the call with the MatchFilter. Therefore the only way I can see to add the links for
//email phone etc is to add them in a separate span, and then merge them into one.
SpannableString webLinks = new SpannableString(textview.getText());
SpannableString extraLinks = new SpannableString(textview.getText());
Linkify.addLinks(extraLinks, Linkify.MAP_ADDRESSES | Linkify.EMAIL_ADDRESSES | Linkify.PHONE_NUMBERS);
textview.setText(mergeUrlSpans(webLinks, extraLinks));
}
private SpannableString mergeUrlSpans(SpannableString span1, SpannableString span2) {
URLSpan[] spans = span2.getSpans(0, span2.length() , URLSpan.class);
for(URLSpan span : spans) {
span1.setSpan(span, span2.getSpanStart(span), span2.getSpanEnd(span), Spanned.SPAN_EXCLUSIVE_EXCLUSIVE);
}
return span1;
}