example animations android android-animation android-textview

example - android animations



Android-TextView ampliable con animaciĆ³n (11)

Tengo un TextView que muestra, en primer lugar, una pequeña porción de un texto largo.

El usuario puede presionar el botón "ver más" para expandir TextView y ver el resto del texto.

Haciendo pruebas, puedo alcanzar eso simplemente intercambiando el valor de TextView.setMaxLines entre 4 para colapsar e Integer.MAX_VALUE para expandir.

Ahora, me gustaría que este comportamiento sea acompañado por una animación. Sé que en esta pregunta casi se hace una solución, pero intenté implementarla y no tuve éxito.

Alguien me puede ayudar con esto?

Gracias por adelantado.


Ahora, es aún más fácil proporcionar la vista de texto solicitada con animación y todos los controles necesarios usando esta increíble biblioteca ExpandableTextView , en esta biblioteca solo tienes que agregarla a tu gradle y luego definirla como la siguiente en tu xml:

<com.ms.square.android.expandabletextview.ExpandableTextView xmlns:android="http://schemas.android.com/apk/res/android" xmlns:expandableTextView="http://schemas.android.com/apk/res-auto" android:id="@+id/expand_text_view" android:layout_width="match_parent" android:layout_height="wrap_content" expandableTextView:maxCollapsedLines="4" expandableTextView:animDuration="200"> <TextView android:id="@id/expandable_text" android:layout_width="match_parent" android:layout_height="wrap_content" android:layout_marginLeft="10dp" android:layout_marginRight="10dp" android:textSize="16sp" android:textColor="#666666" /> <ImageButton android:id="@id/expand_collapse" android:layout_width="wrap_content" android:layout_height="wrap_content" android:padding="16dp" android:layout_gravity="right|bottom" android:background="@android:color/transparent"/> </com.ms.square.android.expandabletextview.ExpandableTextView>

y después de eso úsala en tu código como:

TextView expandableTextView = (ExpandableTextView) findViewById(R.id.expand_text_view);

Y como puede ver, puede controlar las líneas máximas que desea y la duración de la animación y todas las configuraciones necesarias para su técnica de expansión TextView.


Consulte el enlace a continuación para TextView ampliable con opciones para varias líneas y menos texto.

Vista de texto modificable (Ver más y ver menos)

Agregue la línea siguiente en la clase Java después de configurar el texto en su TextView.

// YourCustomeClass.class [your customized class] // yourTextView [ TextView yourTextView = findViewById(R.id.yourTextView) ]; YourCustomeClass.doResizeTextView(yourTextView, 3, "More", true); // 3 - No of lines after user wants to expand it. // "More" : text want to see end of your TextView after shrink // True : flag for viewMore


Creé una biblioteca de código abierto para esto, porque no estaba satisfecho con las otras soluciones que encontré en Internet. Lo puse en GitHub, y es de uso gratuito para cualquiera.

public class ExpandableTextView extends TextView { // copy off TextView.LINES private static final int MAXMODE_LINES = 1; private OnExpandListener onExpandListener; private TimeInterpolator expandInterpolator; private TimeInterpolator collapseInterpolator; private final int maxLines; private long animationDuration; private boolean animating; private boolean expanded; private int originalHeight; public ExpandableTextView(final Context context) { this(context, null); } public ExpandableTextView(final Context context, final AttributeSet attrs) { this(context, attrs, 0); } public ExpandableTextView(final Context context, final AttributeSet attrs, final int defStyle) { super(context, attrs, defStyle); // read attributes final TypedArray attributes = context.obtainStyledAttributes(attrs, R.styleable.ExpandableTextView, defStyle, 0); this.animationDuration = attributes.getInt(R.styleable.ExpandableTextView_animation_duration, BuildConfig.DEFAULT_ANIMATION_DURATION); attributes.recycle(); // keep the original value of maxLines this.maxLines = this.getMaxLines(); // create default interpolators this.expandInterpolator = new AccelerateDecelerateInterpolator(); this.collapseInterpolator = new AccelerateDecelerateInterpolator(); } @Override public int getMaxLines() { if (Build.VERSION.SDK_INT >= Build.VERSION_CODES.JELLY_BEAN) { return super.getMaxLines(); } try { final Field mMaxMode = TextView.class.getField("mMaxMode"); mMaxMode.setAccessible(true); final Field mMaximum = TextView.class.getField("mMaximum"); mMaximum.setAccessible(true); final int mMaxModeValue = (int) mMaxMode.get(this); final int mMaximumValue = (int) mMaximum.get(this); return mMaxModeValue == MAXMODE_LINES ? mMaximumValue : -1; } catch (final Exception e) { return -1; } } /** * Toggle the expanded state of this {@link ExpandableTextView}. * @return true if toggled, false otherwise. */ public boolean toggle() { if (this.expanded) { return this.collapse(); } return this.expand(); } /** * Expand this {@link ExpandableTextView}. * @return true if expanded, false otherwise. */ public boolean expand() { if (!this.expanded && !this.animating && this.maxLines >= 0) { this.animating = true; // notify listener if (this.onExpandListener != null) { this.onExpandListener.onExpand(this); } // get original height this.measure ( MeasureSpec.makeMeasureSpec(this.getMeasuredWidth(), MeasureSpec.EXACTLY), MeasureSpec.makeMeasureSpec(0, MeasureSpec.UNSPECIFIED) ); this.originalHeight = this.getMeasuredHeight(); // set maxLines to MAX Integer this.setMaxLines(Integer.MAX_VALUE); // get new height this.measure ( MeasureSpec.makeMeasureSpec(this.getMeasuredWidth(), MeasureSpec.EXACTLY), MeasureSpec.makeMeasureSpec(0, MeasureSpec.UNSPECIFIED) ); final int fullHeight = this.getMeasuredHeight(); final ValueAnimator valueAnimator = ValueAnimator.ofInt(this.originalHeight, fullHeight); valueAnimator.addUpdateListener(new ValueAnimator.AnimatorUpdateListener() { @Override public void onAnimationUpdate(final ValueAnimator animation) { final ViewGroup.LayoutParams layoutParams = ExpandableTextView.this.getLayoutParams(); layoutParams.height = (int) animation.getAnimatedValue(); ExpandableTextView.this.setLayoutParams(layoutParams); } }); valueAnimator.addListener(new AnimatorListenerAdapter() { @Override public void onAnimationEnd(final Animator animation) { ExpandableTextView.this.expanded = true; ExpandableTextView.this.animating = false; } }); // set interpolator valueAnimator.setInterpolator(this.expandInterpolator); // start the animation valueAnimator .setDuration(this.animationDuration) .start(); return true; } return false; } /** * Collapse this {@link TextView}. * @return true if collapsed, false otherwise. */ public boolean collapse() { if (this.expanded && !this.animating && this.maxLines >= 0) { this.animating = true; // notify listener if (this.onExpandListener != null) { this.onExpandListener.onCollapse(this); } // get new height final int fullHeight = this.getMeasuredHeight(); final ValueAnimator valueAnimator = ValueAnimator.ofInt(fullHeight, this.originalHeight); valueAnimator.addUpdateListener(new ValueAnimator.AnimatorUpdateListener() { @Override public void onAnimationUpdate(final ValueAnimator animation) { final ViewGroup.LayoutParams layoutParams = ExpandableTextView.this.getLayoutParams(); layoutParams.height = (int) animation.getAnimatedValue(); ExpandableTextView.this.setLayoutParams(layoutParams); } }); valueAnimator.addListener(new AnimatorListenerAdapter() { @Override public void onAnimationEnd(final Animator animation) { // set maxLines to original value ExpandableTextView.this.setMaxLines(ExpandableTextView.this.maxLines); ExpandableTextView.this.expanded = false; ExpandableTextView.this.animating = false; } }); // set interpolator valueAnimator.setInterpolator(this.collapseInterpolator); // start the animation valueAnimator .setDuration(this.animationDuration) .start(); return true; } return false; } /** * Sets the duration of the expand / collapse animation. * @param animationDuration duration in milliseconds. */ public void setAnimationDuration(final long animationDuration) { this.animationDuration = animationDuration; } /** * Sets a listener which receives updates about this {@link ExpandableTextView}. * @param onExpandListener the listener. */ public void setOnExpandListener(final OnExpandListener onExpandListener) { this.onExpandListener = onExpandListener; } /** * Returns the {@link OnExpandListener}. * @return the listener. */ public OnExpandListener getOnExpandListener() { return onExpandListener; } /** * Sets a {@link TimeInterpolator} for expanding and collapsing. * @param interpolator the interpolator */ public void setInterpolator(final TimeInterpolator interpolator) { this.expandInterpolator = interpolator; this.collapseInterpolator = interpolator; } /** * Sets a {@link TimeInterpolator} for expanding. * @param expandInterpolator the interpolator */ public void setExpandInterpolator(final TimeInterpolator expandInterpolator) { this.expandInterpolator = expandInterpolator; } /** * Returns the current {@link TimeInterpolator} for expanding. * @return the current interpolator, null by default. */ public TimeInterpolator getExpandInterpolator() { return this.expandInterpolator; } /** * Sets a {@link TimeInterpolator} for collpasing. * @param collapseInterpolator the interpolator */ public void setCollapseInterpolator(final TimeInterpolator collapseInterpolator) { this.collapseInterpolator = collapseInterpolator; } /** * Returns the current {@link TimeInterpolator} for collapsing. * @return the current interpolator, null by default. */ public TimeInterpolator getCollapseInterpolator() { return this.collapseInterpolator; } /** * Is this {@link ExpandableTextView} expanded or not? * @return true if expanded, false if collapsed. */ public boolean isExpanded() { return this.expanded; } public interface OnExpandListener { void onExpand(ExpandableTextView view); void onCollapse(ExpandableTextView view); } }

Usar el ExpandableTextView es muy fácil, es solo un TextView regular con alguna funcionalidad adicional añadida. Al definir el atributo android: maxLines, puede establecer el número predeterminado de líneas para el estado contraído de TextView.

<LinearLayout xmlns:android="http://schemas.android.com/apk/res/android" xmlns:app="http://schemas.android.com/apk/res-auto" android:layout_width="match_parent" android:layout_height="match_parent" android:orientation="vertical"> <at.blogc.android.views.ExpandableTextView android:id="@+id/expandableTextView" android:layout_width="wrap_content" android:layout_height="wrap_content" android:text="@string/lorem_ipsum" android:maxLines="5" android:ellipsize="end" app:animation_duration="1000"/> <!-- Optional parameter animation_duration: sets the duration of the expand animation --> <Button android:id="@+id/button_toggle" android:layout_width="wrap_content" android:layout_height="wrap_content" android:text="@string/expand"/> </LinearLayout>

En tu Actividad o Fragmento:

final ExpandableTextView expandableTextView = (ExpandableTextView) this.findViewById(R.id.expandableTextView); final Button buttonToggle = (Button) this.findViewById(R.id.button_toggle); // set animation duration via code, but preferable in your layout files by using the animation_duration attribute expandableTextView.setAnimationDuration(1000L); // set interpolators for both expanding and collapsing animations expandableTextView.setInterpolator(new OvershootInterpolator()); // or set them separately expandableTextView.setExpandInterpolator(new OvershootInterpolator()); expandableTextView.setCollapseInterpolator(new OvershootInterpolator()); // toggle the ExpandableTextView buttonToggle.setOnClickListener(new View.OnClickListener() { @Override public void onClick(final View v) { expandableTextView.toggle(); buttonToggle.setText(expandableTextView.isExpanded() ? R.string.collapse : R.string.expand); } }); // but, you can also do the checks yourself buttonToggle.setOnClickListener(new View.OnClickListener() { @Override public void onClick(final View v) { if (expandableTextView.isExpanded()) { expandableTextView.collapse(); buttonToggle.setText(R.string.expand); } else { expandableTextView.expand(); buttonToggle.setText(R.string.collapse); } } }); // listen for expand / collapse events expandableTextView.setOnExpandListener(new ExpandableTextView.OnExpandListener() { @Override public void onExpand(final ExpandableTextView view) { Log.d(TAG, "ExpandableTextView expanded"); } @Override public void onCollapse(final ExpandableTextView view) { Log.d(TAG, "ExpandableTextView collapsed"); } });

Puede agregar fácilmente esta biblioteca como una dependencia gradle a su proyecto de Android. Eche un vistazo al proyecto en Github para obtener más instrucciones:

https://github.com/Blogcat/Android-ExpandableTextView


En ListView o RecyclerView en lugar de utilizar OnGlobalLayoutListener siempre usamos OnPreDrawListener. Esta devolución de llamada también se activa para las filas no visibles al inicio. De la documentación oficial:

private void makeTextViewResizable(final TextView tv, final int maxLine, final String expandText, final boolean viewMore){ try { if (tv.getTag() == null) { tv.setTag(tv.getText()); } //OnGlobalLayoutListener ViewTreeObserver vto = tv.getViewTreeObserver(); vto.addOnPreDrawListener(new ViewTreeObserver.OnPreDrawListener() { @Override public boolean onPreDraw() { ViewTreeObserver obs = tv.getViewTreeObserver(); // obs.removeGlobalOnLayoutListener((ViewTreeObserver.OnGlobalLayoutListener) mActivity); obs.removeOnPreDrawListener(this); if (maxLine == 0) { int lineEndIndex = tv.getLayout().getLineEnd(0); String text = tv.getText().subSequence(0, lineEndIndex - expandText.length() + 1) + " " + expandText; tv.setText(text); tv.setMovementMethod(LinkMovementMethod.getInstance()); tv.setText( addClickablePartTextViewResizable(Html.fromHtml(tv.getText().toString()), tv, expandText, viewMore), TextView.BufferType.SPANNABLE); } else if (maxLine > 0 && tv.getLineCount() >= maxLine) { int lineEndIndex = tv.getLayout().getLineEnd(maxLine - 1); String text = tv.getText().subSequence(0, lineEndIndex - expandText.length() + 1) + " " + expandText; tv.setText(text); tv.setMovementMethod(LinkMovementMethod.getInstance()); tv.setText( addClickablePartTextViewResizable(Html.fromHtml(tv.getText().toString()), tv, expandText, viewMore), TextView.BufferType.SPANNABLE); } else { int lineEndIndex = tv.getLayout().getLineEnd(tv.getLayout().getLineCount() - 1); String text = tv.getText().subSequence(0, lineEndIndex) + " " + expandText; tv.setText(text); tv.setMovementMethod(LinkMovementMethod.getInstance()); tv.setText( addClickablePartTextViewResizable(Html.fromHtml(tv.getText().toString()), tv, expandText, viewMore), TextView.BufferType.SPANNABLE); } return true; } }); } catch (Exception e) { e.printStackTrace(); } }


Esto es lo que funcionó para mí usando algunas de las respuestas anteriores (estoy usando ButterKnife en el ejemplo):

private static final MAX_LINE_COUNT = 3; @Bind(R.id.description) TextView mDescription; @Override protected void onCreate(Bundle savedInstanceState) { if(!TextUtils.isEmpty(mDescription)) { mDescription.setText(mItem.description); mDescription.setMaxLines(MAX_LINE_COUNT); mDescription.setEllipsize(TextUtils.TruncateAt.END); } else { mDescription.setVisibility(View.GONE); } } @OnClick(R.id.description) void collapseExpandTextView(TextView tv) { if (tv.getMaxLines() == MAX_LINE_COUNT) { // collapsed - expand it tv.setEllipsize(null); tv.setMaxLines(Integer.MAX_VALUE); } else { // expanded - collapse it tv.setEllipsize(TextUtils.TruncateAt.END); tv.setMaxLines(MAX_LINE_COUNT); } ObjectAnimator animation = ObjectAnimator.ofInt(tv, "maxLines", tv.getMaxLines()); animation.setDuration(200).start(); }

Cuando el usuario hace clic en la descripción, colapsará o expandirá en función de las líneas máximas. Esto solo funcionará para API 16+.

El problema con el que me topé fue que el conteo de líneas regresaba a cero en los puntos y el recuento de líneas y el conteo máximo eran los mismos valores en ciertos puntos.


Principalmente para el caso de agregar el "Ver más" al final del texto, les presento mi TruncatingTextView. Después de mucha experimentación, parece funcionar perfectamente al cargar estas vistas de texto en una vista de elemento RecyclerView.

package com.example.android.widgets; import android.content.Context; import android.support.annotation.Nullable; import android.support.v7.widget.AppCompatTextView; import android.text.Spannable; import android.text.SpannableString; import android.text.TextUtils; import android.text.style.ForegroundColorSpan; import android.text.style.RelativeSizeSpan; import android.util.AttributeSet; import com.example.android.R; public class TruncatingTextView extends AppCompatTextView { public static final String TWO_SPACES = " "; private int truncateAfter = Integer.MAX_VALUE; private String suffix; private RelativeSizeSpan truncateTextSpan = new RelativeSizeSpan(0.75f); private ForegroundColorSpan viewMoreTextSpan = new ForegroundColorSpan(Color.BLUE); private static final String MORE_STRING = getContext().getString(R.string.more); private static final String ELLIPSIS = getContext().getString(R.string.ellipsis); public TruncatingTextView(Context context) { super(context); } public TruncatingTextView(Context context, AttributeSet attrs) { super(context, attrs); } public TruncatingTextView(Context context, AttributeSet attrs, int defStyleAttr) { super(context, attrs, defStyleAttr); } public void setText(CharSequence fullText, @Nullable CharSequence afterTruncation, int truncateAfterLineCount) { this.suffix = TWO_SPACES + MORE_STRING; if (!TextUtils.isEmpty(afterTruncation)) { suffix += TWO_SPACES + afterTruncation; } // Don''t call setMaxLines() unless we have to, since it does a redraw. if (this.truncateAfter != truncateAfterLineCount) { this.truncateAfter = truncateAfterLineCount; setMaxLines(truncateAfter); } setText(fullText); } @Override protected void onLayout(boolean changed, int left, int top, int right, int bottom) { super.onLayout(changed, left, top, right, bottom); if (getLayout() != null && getLayout().getLineCount() > truncateAfter) { int lastCharToShowOfFullTextAfterTruncation = getLayout().getLineVisibleEnd(truncateAfter - 1) - suffix.length() - ELLIPSIS.length(); if (getText().length() <= lastCharToShowOfFullTextAfterTruncation) { // No idea why this would be the case, but to prevent a crash, here it is. Besides, if this is true, we should be less than our maximum lines and thus good to go. return; } int startIndexOfMoreString = lastCharToShowOfFullTextAfterTruncation + TWO_SPACES.length() + 1; SpannableString truncatedSpannableString = new SpannableString(getText().subSequence(0, lastCharToShowOfFullTextAfterTruncation) + ELLIPSIS + suffix); truncatedSpannableString.setSpan(truncateTextSpan, startIndexOfMoreString, truncatedSpannableString.length(), Spannable.SPAN_EXCLUSIVE_INCLUSIVE); truncatedSpannableString.setSpan(viewMoreTextSpan, startIndexOfMoreString, startIndexOfMoreString + MORE_STRING.length(), Spannable.SPAN_EXCLUSIVE_EXCLUSIVE); setText(truncatedSpannableString); } } }

Siempre puede elegir agregar su propio atributo para truncateAfter y usar cualquiera de las respuestas anteriores para agregar la animación para expandir / colapsar (no codulé para manejar expandir / colapsar, pero lo hice fácilmente usando una de las respuestas de animación anteriores).

Estoy colocando esto aquí más para otros que están tratando de encontrar la funcionalidad "Ver más" para sus vistas de texto.


Puedes consultar mi publicación de blog en ExpandableTexTView:

La idea es, inicialmente, que TextView muestre una pequeña porción de un texto largo y cuando se haga clic en él, mostrará el resto del texto.

Así que aquí está el código de cómo lo resolví.

package com.rokonoid.widget; import android.content.Context; import android.content.res.TypedArray; import android.text.SpannableStringBuilder; import android.util.AttributeSet; import android.view.View; import android.widget.TextView; /** * User: Bazlur Rahman Rokon * Date: 9/7/13 - 3:33 AM */ public class ExpandableTextView extends TextView { private static final int DEFAULT_TRIM_LENGTH = 200; private static final String ELLIPSIS = "....."; private CharSequence originalText; private CharSequence trimmedText; private BufferType bufferType; private boolean trim = true; private int trimLength; public ExpandableTextView(Context context) { this(context, null); } public ExpandableTextView(Context context, AttributeSet attrs) { super(context, attrs); TypedArray typedArray = context.obtainStyledAttributes(attrs, R.styleable.ExpandableTextView); this.trimLength = typedArray.getInt(R.styleable.ExpandableTextView_trimLength, DEFAULT_TRIM_LENGTH); typedArray.recycle(); setOnClickListener(new OnClickListener() { @Override public void onClick(View v) { trim = !trim; setText(); requestFocusFromTouch(); } }); } private void setText() { super.setText(getDisplayableText(), bufferType); } private CharSequence getDisplayableText() { return trim ? trimmedText : originalText; } @Override public void setText(CharSequence text, BufferType type) { originalText = text; trimmedText = getTrimmedText(text); bufferType = type; setText(); } private CharSequence getTrimmedText(CharSequence text) { if (originalText != null && originalText.length() > trimLength) { return new SpannableStringBuilder(originalText, 0, trimLength + 1).append(ELLIPSIS); } else { return originalText; } } public CharSequence getOriginalText() { return originalText; } public void setTrimLength(int trimLength) { this.trimLength = trimLength; trimmedText = getTrimmedText(originalText); setText(); } public int getTrimLength() { return trimLength; } }

Y agrega la siguiente línea en tu attr.xml

<?xml version="1.0" encoding="utf-8"?> <resources> <declare-styleable name="ExpandableTextView"> <attr name="trimLength" format="integer"/> </declare-styleable> </resources>

Pon lo siguiente en tu main.xml

<?xml version="1.0" encoding="utf-8"?> <LinearLayout xmlns:android="http://schemas.android.com/apk/res/android" android:orientation="vertical" android:layout_width="fill_parent" android:layout_height="fill_parent" > <com.rokonoid.widget.ExpandableTextView android:id="@+id/lorem_ipsum" android:layout_width="fill_parent" android:layout_height="wrap_content" /> </LinearLayout>

Y prueba tu actividad

package com.rokonoid.widget; import android.app.Activity; import android.os.Bundle; public class MyActivity extends Activity { @Override public void onCreate(Bundle savedInstanceState) { super.onCreate(savedInstanceState); setContentView(R.layout.main); String yourText = "Lorem ipsum dolor sit amet, consectetur adipiscing elit. " + "Ut volutpat interdum interdum. Nulla laoreet lacus diam, vitae " + "sodales sapien commodo faucibus. Vestibulum et feugiat enim. Donec " + "semper mi et euismod tempor. Sed sodales eleifend mi id varius. Nam " + "et ornare enim, sit amet gravida sapien. Quisque gravida et enim vel " + "volutpat. Vivamus egestas ut felis a blandit. Vivamus fringilla " + "dignissim mollis. Maecenas imperdiet interdum hendrerit. Aliquam" + " dictum hendrerit ultrices. Ut vitae vestibulum dolor. Donec auctor ante" + " eget libero molestie porta. Nam tempor fringilla ultricies. Nam sem " + "lectus, feugiat eget ullamcorper vitae, ornare et sem. Fusce dapibus ipsum" + " sed laoreet suscipit. "; ExpandableTextView expandableTextView = (ExpandableTextView) findViewById(R.id.lorem_ipsum); expandableTextView.setText(yourText); } }

Referencia: Android - TextView expandible


Puedes hacer algo como esto. Funcionará en cualquier tipo de vista, ya sea una vista normal, o una vista dentro de ListView o RecyclerView:

En onCreate() o algo similar, agregue:

// initialize integers int collapsedHeight, expandedHeight; // get collapsed height after TextView is drawn textView.post(new Runnable() { @Override public void run() { collapsedHeight = textView.getMeasuredHeight(); } }); // view that will expand/collapse your TextView view.setOnClickListener(new View.OnClickListener() { @Override public void onClick(View view) { // number of max lines when collapsed if (textView.getMaxLines() == 2) { // expand textView.setMaxLines(Integer.MAX_VALUE); textView.measure(View.MeasureSpec.makeMeasureSpec(notifMessage.getMeasuredWidth(), View.MeasureSpec.EXACTLY), View.MeasureSpec.makeMeasureSpec(View.MeasureSpec.UNSPECIFIED, View.MeasureSpec.UNSPECIFIED)); expandedHeight = textView.getMeasuredHeight(); ObjectAnimator animation = ObjectAnimator.ofInt(textView, "height", collapsedHeight, expandedHeight); animation.setDuration(250).start(); } else { // collapse ObjectAnimator animation = ObjectAnimator.ofInt(textView, "height", expandedHeight, collapsedHeight); animation.addListener(new Animator.AnimatorListener() { @Override public void onAnimationStart(Animator animator) { } @Override public void onAnimationEnd(Animator animator) { // number of max lines when collapsed textView.setMaxLines(2); } @Override public void onAnimationCancel(Animator animator) { } @Override public void onAnimationRepeat(Animator animator) { } }); animation.setDuration(250).start(); } } });

Esto le permitirá expandir / contraer un TextView haciendo clic en la vista que desee. (seguramente también puedes elegir el TextView)


Si desea hacerlo en función del número de líneas, esta es una forma de hacerlo:

( Gist del código completo)

/** * Ellipsize the text when the lines of text exceeds the value provided by {@link #makeExpandable} methods. * Appends {@link #MORE} or {@link #LESS} as needed. * TODO: add animation * Created by vedant on 3/10/15. */ public class ExpandableTextView extends TextView { private static final String TAG = "ExpandableTextView"; private static final String ELLIPSIZE = "... "; private static final String MORE = "more"; private static final String LESS = "less"; private String mFullText; private int mMaxLines; //...constructors... public void makeExpandable(String fullText, int maxLines) { mFullText =fullText; mMaxLines = maxLines; ViewTreeObserver vto = getViewTreeObserver(); vto.addOnGlobalLayoutListener(new ViewTreeObserver.OnGlobalLayoutListener() { @Override public void onGlobalLayout() { ViewTreeObserver obs = getViewTreeObserver(); obs.removeOnGlobalLayoutListener(this); if (getLineCount() <= maxLines) { setText(mFullText); } else { setMovementMethod(LinkMovementMethod.getInstance()); showLess(); } } }); } /** * truncate text and append a clickable {@link #MORE} */ private void showLess() { int lineEndIndex = getLayout().getLineEnd(mMaxLines - 1); String newText = mFullText.substring(0, lineEndIndex - (ELLIPSIZE.length() + MORE.length() + 1)) + ELLIPSIZE + MORE; SpannableStringBuilder builder = new SpannableStringBuilder(newText); builder.setSpan(new ClickableSpan() { @Override public void onClick(View widget) { showMore(); } }, newText.length() - MORE.length(), newText.length(), 0); setText(builder, BufferType.SPANNABLE); } /** * show full text and append a clickable {@link #LESS} */ private void showMore() { // create a text like subText + ELLIPSIZE + MORE SpannableStringBuilder builder = new SpannableStringBuilder(mFullText + LESS); builder.setSpan(new ClickableSpan() { @Override public void onClick(View widget) { showLess(); } }, builder.length() - LESS.length(), builder.length(), 0); setText(builder, BufferType.SPANNABLE); } }


Use un ObjectAnimator .

ObjectAnimator animation = ObjectAnimator.ofInt(yourTextView, "maxLines", tv.getLineCount()); animation.setDuration(200).start();

Esto expandirá completamente su TextView durante más de 200 milisegundos. Puedes reemplazar tv.getLineCount() con tantas líneas de texto que quieras colapsar.

----Actualizar----

Aquí hay algunos métodos de conveniencia que puede incluir:

private void expandTextView(TextView tv){ ObjectAnimator animation = ObjectAnimator.ofInt(tv, "maxLines", tv.getLineCount()); animation.setDuration(200).start(); } private void collapseTextView(TextView tv, int numLines){ ObjectAnimator animation = ObjectAnimator.ofInt(tv, "maxLines", numLines); animation.setDuration(200).start(); }

Si tiene API 16+, puede usar textView.getMaxLines () para determinar fácilmente si su textView se ha expandido o no.

private void cycleTextViewExpansion(TextView tv){ int collapsedMaxLines = 3; ObjectAnimator animation = ObjectAnimator.ofInt(tv, "maxLines", tv.getMaxLines() == collapsedMaxLines? tv.getLineCount() : collapsedMaxLines); animation.setDuration(200).start(); }

Notas:

Si no se ha configurado maxLines, o si ha configurado el alto de su textView en píxeles , puede obtener una excepción ArrayIndexOutOfBounds.

Los ejemplos anteriores siempre toman 200 ms, si se expanden en 3 líneas o 400. Si desea una tasa de expansión constante, puede hacer algo como esto:

int duration = (textView.getLineCount() - collapsedMaxLines) * 10;


ObjectAnimator suave (usando ObjectAnimator y ObjectAnimator )
FYI: requiere API 11

public static void expandCollapsedByMaxLines(@NonNull final TextView text) { final int height = text.getMeasuredHeight(); text.setHeight(height); text.setMaxLines(Integer.MAX_VALUE); //expand fully text.measure(View.MeasureSpec.makeMeasureSpec(text.getMeasuredWidth(), View.MeasureSpec.EXACTLY), View.MeasureSpec.makeMeasureSpec(ViewGroup.LayoutParams.WRAP_CONTENT, View.MeasureSpec.UNSPECIFIED)); final int newHeight = text.getMeasuredHeight(); ObjectAnimator animation = ObjectAnimator.ofInt(text, "height", height, newHeight); animation.setDuration(250).start(); }

PD. Supongo que TextView está limitado por maxLines.
PSS agradece a por el ejemplo de ObjectAnimator