Android TextView com links clicáveis: como capturar cliques?


117

Eu tenho um TextView que está renderizando HTML básico, contendo 2+ links. Preciso capturar cliques nos links e abri-los - em meu próprio WebView interno (não no navegador padrão).

O método mais comum para lidar com a renderização de links parece ser assim:

String str_links = "<a href='http://google.com'>Google</a><br /><a href='http://facebook.com'>Facebook</a>";
text_view.setLinksClickable(true);
text_view.setMovementMethod(LinkMovementMethod.getInstance());
text_view.setText( Html.fromHtml( str_links ) );

No entanto, isso faz com que os links sejam abertos no navegador da web interno padrão (mostrando a caixa de diálogo "Concluir ação usando ...").

Tentei implementar um onClickListener, que é acionado corretamente quando o link é clicado, mas não sei como determinar QUAL link foi clicado ...

text_view.setOnClickListener(new OnClickListener(){

    public void onClick(View v) {
        // what now...?
    }

});

Como alternativa, tentei criar uma classe LinkMovementMethod personalizada e implementar onTouchEvent ...

public boolean onTouchEvent(TextView widget, Spannable text, MotionEvent event) {
    String url = text.toString();
    // this doesn't work because the text is not necessarily a URL, or even a single link... 
    // eg, I don't know how to extract the clicked link from the greater paragraph of text
    return false;
}

Ideias?


Solução de exemplo

Eu vim com uma solução que analisa os links de uma string HTML e os torna clicáveis, e então permite que você responda ao URL.


1
Por que você não usa Spannable String. ??
Renjith

1
Na realidade, o HTML é fornecido por um servidor remoto, não gerado pelo meu aplicativo.
Zane Claes

Sua solução de exemplo é muito útil; usando essa abordagem, eu capturei cliques muito bem e posso iniciar outra Activity, com parâmetros, dependendo de qual link foi clicado. (O ponto-chave a entender era "Faça algo com span.getURL()".) Você pode até postar como uma resposta, pois é melhor do que a resposta aceita atualmente!
Jonik

Respostas:


223

Com base em outra resposta , aqui está uma função setTextViewHTML () que analisa os links de uma string HTML e os torna clicáveis, e então permite que você responda ao URL.

protected void makeLinkClickable(SpannableStringBuilder strBuilder, final URLSpan span)
{
    int start = strBuilder.getSpanStart(span);
    int end = strBuilder.getSpanEnd(span);
    int flags = strBuilder.getSpanFlags(span);
    ClickableSpan clickable = new ClickableSpan() {
        public void onClick(View view) {
            // Do something with span.getURL() to handle the link click...
        }
    };
    strBuilder.setSpan(clickable, start, end, flags);
    strBuilder.removeSpan(span);
}

protected void setTextViewHTML(TextView text, String html)
{
    CharSequence sequence = Html.fromHtml(html);
    SpannableStringBuilder strBuilder = new SpannableStringBuilder(sequence);
    URLSpan[] urls = strBuilder.getSpans(0, sequence.length(), URLSpan.class);   
    for(URLSpan span : urls) {
        makeLinkClickable(strBuilder, span);
    }
    text.setText(strBuilder);
    text.setMovementMethod(LinkMovementMethod.getInstance());       
}

5
Funcionou muito bem. Com essa abordagem (ao contrário das outras respostas), consegui 1) capturar cliques e 2) lançar outra Activity, com parâmetros, dependendo de qual link foi clicado.
Jonik

perfeito ... salvou meu dia
maverickosama92

Maravilhoso, mas se você aplicá-lo a um ListView (ou seja, ao TextView interno de cada elemento), torna a lista não clicável, embora os links ainda sejam clicáveis
voghDev

@voghDev isso acontece com ListViews quando a View's focusableé definido como verdadeiro. Isso geralmente acontece com Buttons / ImageButtons. Tente ligar setFocusable(false)para o seu TextView.
Sufian

Use, text.setMovementMethod(LinkMovementMethod.getInstance());se não estiver usando, URLSpan
rajath

21

Você fez o seguinte:

text_view.setMovementMethod(LinkMovementMethod.getInstance());
text_view.setText( Html.fromHtml( str_links ) );

você tentou na ordem inversa, conforme mostrado abaixo?

text_view.setText( Html.fromHtml( str_links ) );
text_view.setMovementMethod(LinkMovementMethod.getInstance());

e sem:

text_view.setLinksClickable(true);

3
Funciona, mas sem nenhum sinal de que o usuário clicou no link, preciso de uma dica / animação / destaque quando o link for clicado ... o que devo fazer?
sabre de luz de

@StarWars você pode usar (StateList) [ developer.android.com/intl/pt-br/guide/topics/resources/… em android puro, mas com HTML não sei.
ademar111190

20

Isso pode ser resolvido simplesmente usando Spannable String. O que você realmente deseja fazer (Requisito de Negócios) não está claro para mim, então o código a seguir não dará uma resposta exata para sua situação, mas tenho certeza de que isso lhe dará uma ideia e você poderá resolver seu problema com base no código a seguir.

Ao fazer isso, também estou obtendo alguns dados via resposta HTTP e adicionei algum texto sublinhado adicional no meu caso "mais" e esse texto sublinhado abrirá o navegador da web no evento de clique. Espero que isso ajude você.

TextView decription = (TextView)convertView.findViewById(R.id.library_rss_expan_chaild_des_textView);
String dec=d.get_description()+"<a href='"+d.get_link()+"'><u>more</u></a>";
CharSequence sequence = Html.fromHtml(dec);
SpannableStringBuilder strBuilder = new SpannableStringBuilder(sequence);
UnderlineSpan[] underlines = strBuilder.getSpans(0, 10, UnderlineSpan.class);   
for(UnderlineSpan span : underlines) {
    int start = strBuilder.getSpanStart(span);
    int end = strBuilder.getSpanEnd(span);
    int flags = strBuilder.getSpanFlags(span);
    ClickableSpan myActivityLauncher = new ClickableSpan() {
        public void onClick(View view) {
            Log.e(TAG, "on click");
            Intent intent = new Intent(Intent.ACTION_VIEW, Uri.parse(d.get_link()));
            mContext.startActivity(intent);         
        }
    };
    strBuilder.setSpan(myActivityLauncher, start, end, flags);
}
decription.setText(strBuilder);
decription.setLinksClickable(true);
decription.setMovementMethod(LinkMovementMethod.getInstance());

Ótimo! Eu modifiquei isso para o meu caso. Vou editar minha postagem para incluir o código.
Zane Claes

existe uma solução semelhante que pode ser usada dentro do xml?
Desenvolvedor Android

Consegui trabalhar com a versão modificada do OP (na pergunta), não com isso. (Com esta versão, os cliques foram direto para a caixa de diálogo "ação completa usando".)
Jonik

Eu usei essa lógica, no entanto, tive que substituir o UnderlineSpan por URLSpan. Também foi necessário remover os spans antigos do SpannableStringBuilder.
Ray de

4
O que é a variável 'd' aqui?
Salman Khan de

15

Eu tive o mesmo problema, mas muito texto misturado com poucos links e e-mails. Acho que usar 'autoLink' é uma maneira mais fácil e limpa de fazer isso:

  text_view.setText( Html.fromHtml( str_links ) );
  text_view.setLinksClickable(true);
  text_view.setAutoLinkMask(Linkify.ALL); //to open links

Você pode definir Linkify.EMAIL_ADDRESSES ou Linkify.WEB_URLS se houver apenas um deles que você deseja usar ou definir a partir do layout XML

  android:linksClickable="true"
  android:autoLink="web|email"

As opções disponíveis são: nenhum, web, e-mail, telefone, mapa, todos


1
Olá, há alguma maneira de interceptar a intenção disparada no momento do clique de um link
Manmohan Soni

1
Já se passaram 6 anos desde essa resposta .. Claro que pode ter mudado na última versão do Android ^^ Não significa que não funcionou naquela época ^^
Jordi

8

Solução

Eu implementei uma pequena classe com a ajuda da qual você pode lidar com longos cliques no próprio TextView e Taps nos links no TextView.

Layout

TextView android:id="@+id/text"
                android:layout_width="wrap_content"
                android:layout_height="wrap_content"
                android:autoLink="all"/>

TextViewClickMovement.java

import android.content.Context;
import android.text.Layout;
import android.text.Spannable;
import android.text.method.LinkMovementMethod;
import android.text.style.ClickableSpan;
import android.util.Patterns;
import android.view.GestureDetector;
import android.view.MotionEvent;
import android.widget.TextView;

public class TextViewClickMovement extends LinkMovementMethod {

    private final String TAG = TextViewClickMovement.class.getSimpleName();

    private final OnTextViewClickMovementListener mListener;
    private final GestureDetector                 mGestureDetector;
    private TextView                              mWidget;
    private Spannable                             mBuffer;

    public enum LinkType {

        /** Indicates that phone link was clicked */
        PHONE,

        /** Identifies that URL was clicked */
        WEB_URL,

        /** Identifies that Email Address was clicked */
        EMAIL_ADDRESS,

        /** Indicates that none of above mentioned were clicked */
        NONE
    }

    /**
     * Interface used to handle Long clicks on the {@link TextView} and taps
     * on the phone, web, mail links inside of {@link TextView}.
     */
    public interface OnTextViewClickMovementListener {

        /**
         * This method will be invoked when user press and hold
         * finger on the {@link TextView}
         *
         * @param linkText Text which contains link on which user presses.
         * @param linkType Type of the link can be one of {@link LinkType} enumeration
         */
        void onLinkClicked(final String linkText, final LinkType linkType);

        /**
         *
         * @param text Whole text of {@link TextView}
         */
        void onLongClick(final String text);
    }


    public TextViewClickMovement(final OnTextViewClickMovementListener listener, final Context context) {
        mListener        = listener;
        mGestureDetector = new GestureDetector(context, new SimpleOnGestureListener());
    }

    @Override
    public boolean onTouchEvent(final TextView widget, final Spannable buffer, final MotionEvent event) {

        mWidget = widget;
        mBuffer = buffer;
        mGestureDetector.onTouchEvent(event);

        return false;
    }

    /**
     * Detects various gestures and events.
     * Notify users when a particular motion event has occurred.
     */
    class SimpleOnGestureListener extends GestureDetector.SimpleOnGestureListener {
        @Override
        public boolean onDown(MotionEvent event) {
            // Notified when a tap occurs.
            return true;
        }

        @Override
        public void onLongPress(MotionEvent e) {
            // Notified when a long press occurs.
            final String text = mBuffer.toString();

            if (mListener != null) {
                Log.d(TAG, "----> Long Click Occurs on TextView with ID: " + mWidget.getId() + "\n" +
                                  "Text: " + text + "\n<----");

                mListener.onLongClick(text);
            }
        }

        @Override
        public boolean onSingleTapConfirmed(MotionEvent event) {
            // Notified when tap occurs.
            final String linkText = getLinkText(mWidget, mBuffer, event);

            LinkType linkType = LinkType.NONE;

            if (Patterns.PHONE.matcher(linkText).matches()) {
                linkType = LinkType.PHONE;
            }
            else if (Patterns.WEB_URL.matcher(linkText).matches()) {
                linkType = LinkType.WEB_URL;
            }
            else if (Patterns.EMAIL_ADDRESS.matcher(linkText).matches()) {
                linkType = LinkType.EMAIL_ADDRESS;
            }

            if (mListener != null) {
                Log.d(TAG, "----> Tap Occurs on TextView with ID: " + mWidget.getId() + "\n" +
                                  "Link Text: " + linkText + "\n" +
                                  "Link Type: " + linkType + "\n<----");

                mListener.onLinkClicked(linkText, linkType);
            }

            return false;
        }

        private String getLinkText(final TextView widget, final Spannable buffer, final MotionEvent event) {

            int x = (int) event.getX();
            int y = (int) event.getY();

            x -= widget.getTotalPaddingLeft();
            y -= widget.getTotalPaddingTop();

            x += widget.getScrollX();
            y += widget.getScrollY();

            Layout layout = widget.getLayout();
            int line = layout.getLineForVertical(y);
            int off = layout.getOffsetForHorizontal(line, x);

            ClickableSpan[] link = buffer.getSpans(off, off, ClickableSpan.class);

            if (link.length != 0) {
                return buffer.subSequence(buffer.getSpanStart(link[0]),
                        buffer.getSpanEnd(link[0])).toString();
            }

            return "";
        }
    }
}

Uso

String str_links = "<a href='http://google.com'>Google</a><br /><a href='http://facebook.com'>Facebook</a>";
text_view.setText( Html.fromHtml( str_links ) );
text_view.setMovementMethod(new TextViewClickMovement(this, context));

Links

Espero que isso ajude! Você pode encontrar o código aqui .


Por favor, verifique seu código novamente, da linha text_view.setMovementMethod(new TextViewClickMovement(this, context));; O Android Studio está reclamando que contextnão foi possível resolver.
X09

Se você copiar o código-fonte do bitbucket, deverá mudar o local do contexto e do ouvinte como este text_view.setMovementMethod (new TextViewClickMovement (context. This));
Victor Apoyan

Isso analisará dois contextos para os parâmetros. Não funcionou, senhor. Embora a resposta aceita esteja funcionando para mim agora
X09

Obrigado pela sua resposta, senhor, a melhor que existe para este tipo, obrigado!
Vulovic Vukasin


7

Fiz uma função de extensão fácil em Kotlin para capturar cliques de link de url em um TextView aplicando um novo retorno de chamada a elementos URLSpan.

strings.xml (exemplo de link em texto)

<string name="link_string">this is my link: <a href="https://www.google.com/">CLICK</a></string>

Certifique-se de que seu texto estendido esteja definido como TextView antes de chamar "handleUrlClicks"

textView.text = getString(R.string.link_string)

Esta é a função de extensão:

/**
 * Searches for all URLSpans in current text replaces them with our own ClickableSpans
 * forwards clicks to provided function.
 */
fun TextView.handleUrlClicks(onClicked: ((String) -> Unit)? = null) {
    //create span builder and replaces current text with it
    text = SpannableStringBuilder.valueOf(text).apply {
        //search for all URL spans and replace all spans with our own clickable spans
        getSpans(0, length, URLSpan::class.java).forEach {
            //add new clickable span at the same position
            setSpan(
                object : ClickableSpan() {
                    override fun onClick(widget: View) {
                        onClicked?.invoke(it.url)
                    }
                },
                getSpanStart(it),
                getSpanEnd(it),
                Spanned.SPAN_INCLUSIVE_EXCLUSIVE
            )
            //remove old URLSpan
            removeSpan(it)
        }
    }
    //make sure movement method is set
    movementMethod = LinkMovementMethod.getInstance()
}

É assim que eu chamo:

textView.handleUrlClicks { url ->
    Timber.d("click on found span: $url")
}

Incrível! _______
Valentin Yuryev

5

Se você estiver usando Kotlin, escrevi uma extensão simples para este caso:

/**
 * Enables click support for a TextView from a [fullText] String, which one containing one or multiple URLs.
 * The [callback] will be called when a click is triggered.
 */
fun TextView.setTextWithLinkSupport(
    fullText: String,
    callback: (String) -> Unit
) {
    val spannable = SpannableString(fullText)
    val matcher = Patterns.WEB_URL.matcher(spannable)
    while (matcher.find()) {
        val url = spannable.toString().substring(matcher.start(), matcher.end())
        val urlSpan = object : URLSpan(fullText) {
            override fun onClick(widget: View) {
                callback(url)
            }
        }
        spannable.setSpan(urlSpan, matcher.start(), matcher.end(), Spanned.SPAN_EXCLUSIVE_EXCLUSIVE)
    }
    text = spannable
    movementMethod = LinkMovementMethod.getInstance() // Make link clickable
}

Uso:

yourTextView.setTextWithLinkSupport("click on me: https://www.google.fr") {
   Log.e("URL is $it")
}

1

Uma abordagem alternativa, imho way mais simples (para desenvolvedores preguiçosos como eu;)

abstract class LinkAwareActivity : AppCompatActivity() {

    override fun startActivity(intent: Intent?) {
        if(Intent.ACTION_VIEW.equals(intent?.action) && onViewLink(intent?.data.toString(), intent)){
            return
        }

        super.startActivity(intent)
    }

    // return true to consume the link (meaning to NOT call super.startActivity(intent))
    abstract fun onViewLink(url: String?, intent: Intent?): Boolean 
}

Se necessário, você também pode verificar o esquema / tipo MIME da intenção


0

Estou usando apenas textView e defina a extensão para url e clique em identificador.

Achei uma solução muito elegante aqui, sem linkify - de acordo com isso eu sei qual parte da string desejo linkify

lidar com textview link clique em meu aplicativo Android

em kotlin:

fun linkify(view: TextView, url: String, context: Context) {

    val text = view.text
    val string = text.toString()
    val span = ClickSpan(object : ClickSpan.OnClickListener {
        override fun onClick() {
            // handle your click
        }
    })

    val start = string.indexOf(url)
    val end = start + url.length
    if (start == -1) return

    if (text is Spannable) {
        text.setSpan(span, start, end, Spanned.SPAN_EXCLUSIVE_EXCLUSIVE)
        text.setSpan(ForegroundColorSpan(ContextCompat.getColor(context, R.color.orange)),
                start, end, Spannable.SPAN_EXCLUSIVE_EXCLUSIVE)
    } else {
        val s = SpannableString.valueOf(text)
        s.setSpan(span, start, end, Spanned.SPAN_EXCLUSIVE_EXCLUSIVE)
        s.setSpan(ForegroundColorSpan(ContextCompat.getColor(context, R.color.orange)),
                start, end, Spannable.SPAN_EXCLUSIVE_EXCLUSIVE)
        view.text = s
    }

    val m = view.movementMethod
    if (m == null || m !is LinkMovementMethod) {
        view.movementMethod = LinkMovementMethod.getInstance()
    }
}

class ClickSpan(private val mListener: OnClickListener) : ClickableSpan() {

    override fun onClick(widget: View) {
        mListener.onClick()
    }

    interface OnClickListener {
        fun onClick()
    }
}

e uso: linkify (yourTextView, urlString, context)

Ao utilizar nosso site, você reconhece que leu e compreendeu nossa Política de Cookies e nossa Política de Privacidade.
Licensed under cc by-sa 3.0 with attribution required.