0

我知道使用 setAllCaps(true),但它要求我使用 API14 作为最小值,并且我想将 API 9 保持为最小值,所以我想知道是否有人找到了将所有 textViews 的所有字符大写的方法布局?

4

2 回答 2

1

人们可以很容易地手动扩展TextView和更改文本大小写。例子:

package com.example.allcapstextview;

import android.content.Context;
import android.util.AttributeSet;
import android.widget.TextView;

import java.util.Locale;

public class AllCapsTextView extends TextView {
    private Locale mLocale;

    public AllCapsTextView(Context context) {
        super(context);
    }

    public AllCapsTextView(Context context, AttributeSet attrs) {
        super(context, attrs);
        mLocale = context.getResources().getConfiguration().locale;
    }

    @Override
    public void onFinishInflate() {
        super.onFinishInflate();
        CharSequence text = getText();
        if (text != null) {
            text = text.toString().toUpperCase(mLocale);
            setText(text);
        }
    }
}

并在布局中使用此视图:

<RelativeLayout xmlns:android="http://schemas.android.com/apk/res/android"
    android:layout_width="match_parent"
    android:layout_height="match_parent"
    android:padding="16dp">

    <com.example.allcapstextview.AllCapsTextView
        android:layout_width="wrap_content"
        android:layout_height="wrap_content"
        android:text="@string/hello_world" />

</RelativeLayout>
于 2013-10-24T05:29:56.137 回答
0

另一种方法是创建一个将实现 TransformationMethod 的类。在适当的情况getTransformation()下,您只需将所有字母都设为大写。

public class AllCapsTransformationMethodCompat implements TransformationMethod{

    private static AllCapsTransformationMethodCompat sInstance;

    static AllCapsTransformationMethodCompat getInstance(){
        if(sInstance == null){
            sInstance = new AllCapsTransformationMethodCompat();
        }
        return sInstance;
    }
    @Override
    public CharSequence getTransformation(CharSequence source, View view) {
        return !TextUtils.isEmpty(source)
                ? 
                source.toString().toUpperCase(view.getContext().getResources().getConfiguration().locale) 
                : 
                source;
    }

    @Override
    public void onFocusChanged(View view, CharSequence sourceText,
            boolean focused, int direction, Rect previouslyFocusedRect) {
        // TODO Auto-generated method stub

    }

}

用法:

@SuppressLint("NewApi")
    public static void setAllCaps(TextView textView, boolean allCaps) {
        if(Build.VERSION.SDK_INT >= Build.VERSION_CODES.ICE_CREAM_SANDWICH){
            textView.setAllCaps(allCaps);
        }else{
            textView.setTransformationMethod(allCaps ? AllCapsTransformationMethodCompat.getInstance() : null);
        }
    }
于 2014-06-03T21:59:54.390 回答