EditText
Android에서 텍스트 길이를 제한하는 가장 좋은 방법은 무엇입니까 ?
xml을 통해 이것을 수행하는 방법이 있습니까?
EditText
Android에서 텍스트 길이를 제한하는 가장 좋은 방법은 무엇입니까 ?
xml을 통해 이것을 수행하는 방법이 있습니까?
답변:
maxLength
속성은 여전히 작동합니다.
android:maxLength
에 해당 InputFilter.LengthFilter
프로그래밍 방식의 필터를 변경할 때 그래서, 당신은 XML 필터를 수정뿐만 아니라 한.
setFilters
이 android:maxLength
XML에 의해 설정된 필터를 덮어 쓰기 때문에 작동 이 중지 된다는 점에 유의 하십시오. 다시 말해, 프로그래밍 방식으로 필터를 설정하면 모든 프로그래밍 방식으로 필터를 설정해야합니다.
입력 필터를 사용하여 텍스트보기의 최대 길이를 제한하십시오.
TextView editEntryView = new TextView(...);
InputFilter[] filterArray = new InputFilter[1];
filterArray[0] = new InputFilter.LengthFilter(8);
editEntryView.setFilters(filterArray);
InputFilter
. android:maxlength
xml 파일에서 재정 의 되므로이 LengthFilter
방법 을 추가해야합니다 .
EditText editText = new EditText(this);
int maxLength = 3;
editText.setFilters(new InputFilter[] {new InputFilter.LengthFilter(maxLength)});
TextWatcher
.
이미 사용자 정의 입력 필터를 사용하는 사람에 대한 참고 또한 최대 길이를 제한하려면 :
코드에서 입력 필터를 할당하면로 설정된 필터를 포함하여 이전에 설정된 모든 입력 필터가 지워집니다 android:maxLength
. 비밀번호 입력란에 허용되지 않는 일부 문자를 사용하지 못하도록 사용자 지정 입력 필터를 사용하려고 할 때 이것을 알았습니다. setFilters로 해당 필터를 설정 한 후 maxLength가 더 이상 관찰되지 않았습니다. 해결책은 maxLength와 내 사용자 정의 필터를 프로그래밍 방식으로 함께 설정하는 것이 었습니다. 이 같은:
myEditText.setFilters(new InputFilter[] {
new PasswordCharFilter(), new InputFilter.LengthFilter(20)
});
나는이 문제를 겪었고 이미 설정된 필터를 잃지 않고 프로그래밍 방식으로이를 잘 설명하는 방법이 빠져 있다고 생각합니다.
XML에서 길이 설정 :
허용 된 답변이 올바르게 표시되므로 나중에 더 이상 변경하지 않을 EditText에 고정 길이를 정의하려면 EditText XML에 정의하십시오.
android:maxLength="10"
프로그래밍 방식으로 길이 설정
프로그래밍 방식으로 길이를 설정하려면을 통해 길이를 설정해야합니다 InputFilter
. 그러나 새 InputFilter를 만들어 설정하면 EditText
XML을 통해 또는 프로그래밍 방식으로 추가했을 수있는 이미 정의 된 다른 필터 (예 : maxLines, inputType 등)가 모두 손실됩니다.
그래서 이것은 잘못되었습니다 :
editText.setFilters(new InputFilter[] {new InputFilter.LengthFilter(maxLength)});
이전에 추가 된 필터를 잃지 않으려면 해당 필터를 가져 와서 새 필터 (이 경우 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(maxLength);
editText.setFilters(newFilters);
그러나 Kotlin 은 모든 사람이 쉽게 사용할 수 있도록 기존 필터에 필터를 추가해야하지만 간단한 방법으로이를 달성 할 수 있습니다.
editText.filters += InputFilter.LengthFilter(maxLength)
이것을 달성하는 방법을 궁금해하는 다른 사람들을 위해 여기 확장 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 });
}
}
//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()});
Xml
android:maxLength="10"
자바:
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)
이를 달성 할 수있는 또 다른 방법은 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 자로 제한됩니다.
에서 material.io , 당신은 사용할 수 TextInputEditText
와 함께 TextInputLayout
:
<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를 구성 할 수 있습니다.
또는 카운터를 사용하거나 사용하지 않고 텍스트 길이를 제한 할 수 있습니다.
의존:
implementation 'com.google.android.material:material:1.1.0-alpha02'
XML
android:maxLength="10"
프로그래밍 방식으로 :
int maxLength = 10;
InputFilter[] filters = new InputFilter[1];
filters[0] = new InputFilter.LengthFilter(maxLength);
yourEditText.setFilters(filters);
참고 : 내부적으로 EditText & TextView android:maxLength
는 XML 에서 값을 구문 분석하여 InputFilter.LengthFilter()
적용합니다.
길이 필터를 다른 필터와 함께 사용할 수있는 사용자 정의 EditText 클래스입니다. Tim Gallagher의 답변 덕분에 (아래)
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 });
}
}
}
프로그래밍 방식 으로 Java에 대해 시도하십시오 .
myEditText(new InputFilter[] {new InputFilter.LengthFilter(CUSTOM_MAX_LEN)});
myEditText.setFilters(new InputFilter[] {new InputFilter.LengthFilter(CUSTOM_MAX_LEN)});
나는 좋은 솔루션을 많이 보았지만 더 완벽하고 사용자 친화적 인 솔루션으로 생각하는 것을 제공하고 싶습니다.
1, 길이 제한.
2, 더 입력하면, 토스트를 트리거 콜백을 제공합니다.
3, 커서 중간 또는 꼬리에있을 수 있습니다.
4, 사용자는 문자열을 붙여서 입력 할 수 있습니다.
5, 항상 오버플로 입력을 버리고 원점을 유지하십시오.
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'문자열을 붙여 넣으십시오.
edit_text.setSelection (start = 2, end = 4)을 사용하여 원점 상태를 복원하려고하면 원점 강조 표시가 아닌 '12 345 678 '로 2 개의 공백을 삽입하면됩니다. 누군가가 그것을 해결하고 싶습니다.
코 틀린 :
edit_text.filters += InputFilter.LengthFilter(10)
ZTE Blade A520
이상한 효과가 있습니다. 10 개 이상의 기호 (예 : 15)를 입력하면 EditText
처음 10 개가 표시되지만 다른 5 개는 표시되지 않으며 액세스 할 수 없습니다. 그러나 당신 삭제 기호를 할 때 Backspace
, 먼저 바로 5 개 문자를 삭제 한 후이 동작의 사용을 극복하기 위해 (10)을, 나머지 제거 솔루션을 :
android:inputType="textNoSuggestions|textVisiblePassword"
android:maxLength="10"
아니면 이거:
android:inputType="textNoSuggestions"
또는 제안 사항이 필요한 경우 :
private class EditTextWatcher(private val view: EditText) : TextWatcher {
private var position = 0
private var oldText = ""
override fun afterTextChanged(s: Editable?) = Unit
override fun beforeTextChanged(s: CharSequence?, start: Int, count: Int, after: Int) {
oldText = s?.toString() ?: ""
position = view.selectionStart
}
override fun onTextChanged(s: CharSequence?, start: Int, before: Int, count: Int) {
val newText = s?.toString() ?: ""
if (newText.length > 10) {
with(view) {
setText(oldText)
position = if (start > 0 && count > 2) {
// Text paste in nonempty field.
start
} else {
if (position in 1..10 + 1) {
// Symbol paste in the beginning or middle of the field.
position - 1
} else {
if (start > 0) {
// Adding symbol to the end of the field.
start - 1
} else {
// Text paste in the empty field.
0
}
}
}
setSelection(position)
}
}
}
}
// Usage:
editTextWatcher = EditTextWatcher(view.edit_text)
view.edit_text.addTextChangedListener(editTextWatcher)
XML에서 간단한 방법 :
android:maxLength="@{length}"
프로그래밍 방식으로 설정하려면 다음 기능을 사용할 수 있습니다
public static void setMaxLengthOfEditText(EditText editText, int length) {
InputFilter[] filters = editText.getFilters();
List arrayList = new ArrayList();
int i2 = 0;
if (filters != null && filters.length > 0) {
int length = filters.length;
int i3 = 0;
while (i2 < length) {
Object obj = filters[i2];
if (obj instanceof LengthFilter) {
arrayList.add(new LengthFilter(length));
i3 = 1;
} else {
arrayList.add(obj);
}
i2++;
}
i2 = i3;
}
if (i2 == 0) {
arrayList.add(new LengthFilter(length));
}
if (!arrayList.isEmpty()) {
editText.setFilters((InputFilter[]) arrayList.toArray(new InputFilter[arrayList.size()]));
}
}