web-dev-qa-db-ja.com

AndroidでEditTextのテキスト長を制限する

AndroidでEditTextのテキスト長を制限するための最良の方法は何ですか?

XML経由でこれを行う方法はありますか?

616
hpique

ドキュメンテーション

Android:maxLength="10"
1226
Austin Hanson

テキストビューの最大長を制限するには、入力フィルタを使用します。

TextView editEntryView = new TextView(...);
InputFilter[] filterArray = new InputFilter[1];
filterArray[0] = new InputFilter.LengthFilter(8);
editEntryView.setFilters(filterArray);
314
jerry
EditText editText = new EditText(this);
int maxLength = 3;    
editText.setFilters(new InputFilter[] {new InputFilter.LengthFilter(maxLength)});
186
Emran Hamza

すでにカスタム入力フィルタを使用している人、および また 最大長を制限したい人へのメモ:

コードで入力フィルタを割り当てると、Android:maxLengthで設定されたものを含め、以前に設定された入力フィルタはすべてクリアされます。パスワードフィールドで許可されていない一部の文字の使用を防ぐためにカスタム入力フィルタを使用しようとしたときに、これがわかりました。そのフィルタをsetFiltersで設定した後、maxLengthは観察されなくなりました。解決策はmaxLengthと私のカスタムフィルタをプログラムで一緒に設定することでした。このようなもの:

myEditText.setFilters(new InputFilter[] {
        new PasswordCharFilter(), new InputFilter.LengthFilter(20)
});
63
goto10
TextView tv = new TextView(this);
tv.setFilters(new InputFilter[]{ new InputFilter.LengthFilter(250) });
35
ramo2712

これを達成する方法について疑問に思っている他の誰かのために、ここに私の拡張されたEditTextクラスEditTextNumericがあります。

.setMaxLength(int) - 最大桁数を設定する

.setMaxValue(int) - 最大整数値を制限する

.setMin(int) - 整数の最小値を制限する

.getValue() - 整数値を得る

import Android.content.Context;
import Android.text.InputFilter;
import Android.text.InputType;
import Android.widget.EditText;

public class EditTextNumeric extends EditText {
    protected int max_value = Integer.MAX_VALUE;
    protected int min_value = Integer.MIN_VALUE;

    // constructor
    public EditTextNumeric(Context context) {
        super(context);
        this.setInputType(InputType.TYPE_CLASS_NUMBER);
    }

    // checks whether the limits are set and corrects them if not within limits
    @Override
    protected void onTextChanged(CharSequence text, int start, int before, int after) {
        if (max_value != Integer.MAX_VALUE) {
            try {
                if (Integer.parseInt(this.getText().toString()) > max_value) {
                    // change value and keep cursor position
                    int selection = this.getSelectionStart();
                    this.setText(String.valueOf(max_value));
                    if (selection >= this.getText().toString().length()) {
                        selection = this.getText().toString().length();
                    }
                    this.setSelection(selection);
                }
            } catch (NumberFormatException exception) {
                super.onTextChanged(text, start, before, after);
            }
        }
        if (min_value != Integer.MIN_VALUE) {
            try {
                if (Integer.parseInt(this.getText().toString()) < min_value) {
                    // change value and keep cursor position
                    int selection = this.getSelectionStart();
                    this.setText(String.valueOf(min_value));
                    if (selection >= this.getText().toString().length()) {
                        selection = this.getText().toString().length();
                    }
                    this.setSelection(selection);
                }
            } catch (NumberFormatException exception) {
                super.onTextChanged(text, start, before, after);
            }
        }
        super.onTextChanged(text, start, before, after);
    }

    // set the max number of digits the user can enter
    public void setMaxLength(int length) {
        InputFilter[] FilterArray = new InputFilter[1];
        FilterArray[0] = new InputFilter.LengthFilter(length);
        this.setFilters(FilterArray);
    }

    // set the maximum integer value the user can enter.
    // if exeeded, input value will become equal to the set limit
    public void setMaxValue(int value) {
        max_value = value;
    }
    // set the minimum integer value the user can enter.
    // if entered value is inferior, input value will become equal to the set limit
    public void setMinValue(int value) {
        min_value = value;
    }

    // returns integer value or 0 if errorous value
    public int getValue() {
        try {
            return Integer.parseInt(this.getText().toString());
        } catch (NumberFormatException exception) {
            return 0;
        }
    }
}

使用例

final EditTextNumeric input = new EditTextNumeric(this);
input.setMaxLength(5);
input.setMaxValue(total_pages);
input.setMinValue(1);

EditTextに適用される他のすべてのメソッドと属性ももちろん機能します。

Goto10の観察のために、私は最大長を設定して他のフィルタを失うことから保護するために以下のコードをまとめました:

/**
 * This sets the maximum length in characters of an EditText view. Since the
 * max length must be done with a filter, this method gets the current
 * filters. If there is already a length filter in the view, it will replace
 * it, otherwise, it will add the max length filter preserving the other
 * 
 * @param view
 * @param length
 */
public static void setMaxLength(EditText view, int length) {
    InputFilter curFilters[];
    InputFilter.LengthFilter lengthFilter;
    int idx;

    lengthFilter = new InputFilter.LengthFilter(length);

    curFilters = view.getFilters();
    if (curFilters != null) {
        for (idx = 0; idx < curFilters.length; idx++) {
            if (curFilters[idx] instanceof InputFilter.LengthFilter) {
                curFilters[idx] = lengthFilter;
                return;
            }
        }

        // since the length filter was not part of the list, but
        // there are filters, then add the length filter
        InputFilter newFilters[] = new InputFilter[curFilters.length + 1];
        System.arraycopy(curFilters, 0, newFilters, 0, curFilters.length);
        newFilters[curFilters.length] = lengthFilter;
        view.setFilters(newFilters);
    } else {
        view.setFilters(new InputFilter[] { lengthFilter });
    }
}
17
Tim Gallagher
//Set Length filter. Restricting to 10 characters only
editText.setFilters(new InputFilter[]{new InputFilter.LengthFilter(MAX_LENGTH)});

//Allowing only upper case characters
editText.setFilters(new InputFilter[]{new InputFilter.AllCaps()});

//Attaching multiple filters
editText.setFilters(new InputFilter[]{new InputFilter.LengthFilter(MAX_LENGTH), new InputFilter.AllCaps()});
15
Kishore Reddy

私はこの問題を抱えており、すでに設定されているフィルタを失うことなくプログラム的にこれを実行するためのよく説明された方法が欠けていると思います。

XMLで長さを設定する:

受け入れられた答えが正しく述べているように、あなたがEditTextに固定長を定義したいなら、あなたは将来それ以上変更することはしません、ただあなたのEditText XMLで定義してください:

Android:maxLength="10" 

プログラムで長さを設定する

プログラムで長さを設定するには、InputFilterを設定する必要があります。

Java の問題は、一度設定すると他のすべてのフィルタが消えることです(たとえばmaxLines、inputTypeなど)。以前のフィルタが失われないようにするには、以前に適用したフィルタを取得し、maxLengthを追加して、次のようにフィルタをEditTextに戻す必要があります。

InputFilter[] editFilters = editText.getFilters();
InputFilter[] newFilters = new InputFilter[editFilters.length + 1];
System.arraycopy(editFilters, 0, newFilters, 0, editFilters.length);
newFilters[editFilters.length] = new InputFilter.LengthFilter(10); //the desired length
editText.setFilters(newFilters);

Kotlin しかし誰でも簡単にできるようにしました。既存のものにフィルタを追加する必要もありますが、簡単な方法でそれを実現できます。

editText.filters += InputFilter.LengthFilter(maxLength)
11
Ricardo

XML

Android:maxLength="10"

Java:

InputFilter[] editFilters = editText.getFilters();
InputFilter[] newFilters = new InputFilter[editFilters.length + 1];
System.arraycopy(editFilters, 0, newFilters, 0, editFilters.length);
newFilters[editFilters.length] = new InputFilter.LengthFilter(maxLength);
editText.setFilters(newFilters);

コトリン:

editText.filters += InputFilter.LengthFilter(maxLength)
9
João Carlos

もう1つの方法は、XMLファイルに次の定義を追加することです。

<EditText
    Android:id="@+id/input"
    Android:layout_width="0dp"
    Android:layout_height="wrap_content"
    Android:inputType="number"
    Android:maxLength="6"
    Android:hint="@string/hint_gov"
    Android:layout_weight="1"/>

これはEditTextウィジェットの最大長を6文字に制限します。

8
user2586194

material.io から、TextInputEditTextTextInputLayoutと組み合わせて使用​​できます。

<com.google.Android.material.textfield.TextInputLayout
    Android:layout_width="match_parent"
    Android:layout_height="wrap_content"
    app:counterEnabled="true"
    app:counterMaxLength="1000"
    app:passwordToggleEnabled="false">

    <com.google.Android.material.textfield.TextInputEditText
        Android:id="@+id/edit_text"
        Android:hint="@string/description"
        Android:layout_width="match_parent"
        Android:layout_height="wrap_content"
        Android:maxLength="1000"
        Android:gravity="top|start"
        Android:inputType="textMultiLine|textNoSuggestions"/>

</com.google.Android.material.textfield.TextInputLayout>

あなたはdrawableでパスワードEditTextを設定することができます:

password example

あるいは、カウンターの有無にかかわらずテキストの長さを制限することができます。

counter example

依存:

implementation 'com.google.Android.material:material:1.1.0-alpha02'
4
RonTLV

これはうまくいきます...

Android:maxLength="10"

これは10文字だけを受け入れます。

2
Sanjay Kumaar

これはカスタムのEditTextクラスで、Lengthフィルタを他のフィルタと一緒に使用できるようにします。 Tim Gallagher's Answer(下記)に感謝します

import Android.content.Context;
import Android.text.InputFilter;
import Android.util.AttributeSet;
import Android.widget.EditText;


public class EditTextMultiFiltering extends EditText{

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

    public EditTextMultiFiltering(Context context, AttributeSet attrs) {
        super(context, attrs);
    }

    public EditTextMultiFiltering(Context context, AttributeSet attrs, int defStyleAttr) {
        super(context, attrs, defStyleAttr);
    }

    public void setMaxLength(int length) {
        InputFilter curFilters[];
        InputFilter.LengthFilter lengthFilter;
        int idx;

        lengthFilter = new InputFilter.LengthFilter(length);

        curFilters = this.getFilters();
        if (curFilters != null) {
            for (idx = 0; idx < curFilters.length; idx++) {
                if (curFilters[idx] instanceof InputFilter.LengthFilter) {
                    curFilters[idx] = lengthFilter;
                    return;
                }
            }

            // since the length filter was not part of the list, but
            // there are filters, then add the length filter
            InputFilter newFilters[] = new InputFilter[curFilters.length + 1];
            System.arraycopy(curFilters, 0, newFilters, 0, curFilters.length);
            newFilters[curFilters.length] = lengthFilter;
            this.setFilters(newFilters);
        } else {
            this.setFilters(new InputFilter[] { lengthFilter });
        }
    }
}
2
Gal Rom

それはXMLで簡単な方法:

Android:maxLength="4"

xml edit-textに4文字を設定する必要がある場合は、これを使用してください。

<EditText
    Android:id="@+id/edtUserCode"
    Android:layout_width="wrap_content"
    Android:layout_height="wrap_content"
    Android:maxLength="4"
    Android:hint="Enter user code" />
2
Navadip Patel

私はたくさんの良い解決策を見ましたが、私は私がより完全でユーザーフレンドリーな解決策として考えているものを与えたいです。

1、限界の長さ。
2、もっと入力するなら、あなたの乾杯を引き起こすためにコールバックをしてください。
3、カーソルは中央または末尾に置くことができます。
4、ユーザーは文字列を貼り付けて入力できます。
5、常にオーバーフロー入力を破棄してOriginを維持します。

public class LimitTextWatcher implements TextWatcher {

    public interface IF_callback{
        void callback(int left);
    }

    public IF_callback if_callback;

    EditText editText;
    int maxLength;

    int cursorPositionLast;
    String textLast;
    boolean bypass;

    public LimitTextWatcher(EditText editText, int maxLength, IF_callback if_callback) {

        this.editText = editText;
        this.maxLength = maxLength;
        this.if_callback = if_callback;
    }

    @Override
    public void beforeTextChanged(CharSequence s, int start, int count, int after) {

        if (bypass) {

            bypass = false;

        } else {

            StringBuilder stringBuilder = new StringBuilder();
            stringBuilder.append(s);
            textLast = stringBuilder.toString();

            this.cursorPositionLast = editText.getSelectionStart();
        }
    }

    @Override
    public void onTextChanged(CharSequence s, int start, int before, int count) {

    }

    @Override
    public void afterTextChanged(Editable s) {
        if (s.toString().length() > maxLength) {

            int left = maxLength - s.toString().length();

            bypass = true;
            s.clear();

            bypass = true;
            s.append(textLast);

            editText.setSelection(this.cursorPositionLast);

            if (if_callback != null) {
                if_callback.callback(left);
            }
        }

    }

}


edit_text.addTextChangedListener(new LimitTextWatcher(edit_text, MAX_LENGTH, new LimitTextWatcher.IF_callback() {
    @Override
    public void callback(int left) {
        if(left <= 0) {
            Toast.makeText(MainActivity.this, "input is full", Toast.LENGTH_SHORT).show();
        }
    }
}));

失敗したことは、ユーザーが現在の入力の一部をハイライトして非常に長い文字列を貼り付けようとした場合、ハイライトを元に戻す方法がわからないことです。

たとえば、最大長を10に設定し、ユーザーが「12345678」と入力し、「345」を強調表示としてマークし、制限を超える「0000」の文字列を貼り付けます。

Originの状態を復元するためにedit_text.setSelection(start = 2、end = 4)を使おうとすると、Originのハイライトではなく '12 345 678'のように2つのスペースが挿入されます。誰かがそれを解決したいのですが。

1
hyyou2010

EditTextでAndroid:maxLength="10"を使用できます(ここでの制限は最大10文字です)。

1
Jocelin

XML

Android:maxLength="10"

プログラム的に:

int maxLength = 10;
InputFilter[] filters = new InputFilter[1];
filters[0] = new InputFilter.LengthFilter(maxLength);
yourEditText.setFilters(filters);

注:内部的には、EditText&TextViewはXMLのAndroid:maxLengthの値を解析し、それを適用するためにInputFilter.LengthFilter()を使用します。

TextView.Java#L1564 を参照してください。

1
nhoxbypass

これをJavaプログラムで試してください

myEditText(new InputFilter[] {new InputFilter.LengthFilter(CUSTOM_MAX_LEN)});
0
reza_khalafi