TextView中的文本太多时,我们希望文本以跑马灯的形式展现。xml文件中对TextView做以下属性配置即可实现:

    <TextView
        android:id="@+id/TextView03"
        android:layout_width="wrap_content"
        android:layout_height="wrap_content"
        android:ellipsize="marquee"
        android:focusable="true"
        android:focusableInTouchMode="true"
        android:marqueeRepeatLimit="marquee_forever"
        android:padding="5dip"
        android:singleLine="true"
        android:text="Really Long Scrolling Text Goes HereReally Long Scrolling Text Goes Here" />

每次用跑马灯都要写这些属性配置,太麻烦了点。简单方法?

TextView的跑马灯效果只有在获得焦点的时候才开始滚动,以上这些属性就是配置marquee效果,并且自动获得焦点。那简单的方法就是:自定义View继承TextView,然后覆盖TextView的一些方法,使其自动完成跑马灯效果,而不是通过配置属性来完成。代码如下:


package com.androidbears.components;
 
import android.content.Context;
import android.graphics.Rect;
import android.util.AttributeSet;
import android.widget.TextView;
 
public class ScrollingTextView extends TextView {
 
    public ScrollingTextView(Context context, AttributeSet attrs, int defStyle) {
        super(context, attrs, defStyle);
        init();
    }
 
    public ScrollingTextView(Context context, AttributeSet attrs) {
        super(context, attrs);
        init();
    }
 
    public ScrollingTextView(Context context) {
        super(context);
        init();
    }
    @Override
    protected void onFocusChanged(boolean focused, int direction, Rect previouslyFocusedRect) {
        if(focused)
            super.onFocusChanged(focused, direction, previouslyFocusedRect);
    }
 
    @Override
    public void onWindowFocusChanged(boolean focused) {
        if(focused)
            super.onWindowFocusChanged(focused);
    }
 
 
    @Override
    public boolean isFocused() {
        return true;
    }
 
    //add by laomo 
    private void init(){
	setEllipsize(TruncateAt.MARQUEE);//对应android:ellipsize="marquee"
	setMarqueeRepeatLimit(-1);//对应android:marqueeRepeatLimit="marquee_forever"
	setSingleLine();//等价于setSingleLine(true)
    }
}

接下来的配置就和配置TextView完全一样即可:

<com.androidbears.components.ScrollingTextView
	android:layout_width="wrap_content"
	android:layout_height="wrap_content"
        	android:text="@string/showmsg"/>

使用时记得修改配置文件中com.androidbears.components为你自己对应的ScrollingTextView所在包名。

PS:对原文代码有修改,使配置代码更精简。

译自:http://androidbears.stellarpc.net/?p=185