标签:android ui
TextWatcher介绍
TextWatcher有三个方法:
public void beforeTextChanged(CharSequence s, int start, int count, int after)
start :代表当前光标在第几个位置(编程语言中通常第一个是0),或者要从第几个位置开始插入
after :代表本次要插入几个位置
count :不明确
public void onTextChanged(CharSequence s, int start, int before, int count)
start:代表当前光标在第几个位置,或者要从第几个位置开始插入
count:代表本次要插入几个位置
before:不明确
public void afterTextChanged(Editable s)
具体使用可以参考Demo
TextWatchr使用Demo
private TextWatcher mTextWatcher2 = new TextWatcher() {
private int editStart;
private int editEnd;
private CharSequence temp;
private int end;
// 之前总字数
private int before;
// 插入的位置(编程语言中初始都为0)
private int insertCur;
// 最大字数
private int max = 10;
public void afterTextChanged(Editable s) {
editStart = inputText.getSelectionStart();
editEnd = inputText.getSelectionEnd();
System.out.println("kk after: editStart=" + editStart + ",editEnd=" + editEnd);
if (temp.length() > 10) {
// s.delete(editStart - 1, editEnd);
int end2 = inputText.getSelectionEnd();
System.out.println("kk delete end=" + end + ", end2=" + end2);
int st = insertCur + max - before;
int ed = editEnd;
s.delete(st, ed);
inputText.setTextKeepState(s);
}
}
public void beforeTextChanged(CharSequence s, int start, int count, int after) {
before = inputText.getText().toString().length();
System.out.println("kk beforeTextChanged count=" + count + ", start=" + start
+ ", after=" + after);
}
public void onTextChanged(CharSequence s, int start, int before, int count) {
temp = s;
end = start + count - 1;
insertCur = start;
System.out.println("kk onTextChanged count=" + count + ", start=" + start + ", before="
+ before);
}
};
Demo分析:
一开始使用// s.delete(editStart - 1, editEnd); 这个方法去删除多余的字数,但是当输入字数较多时,会出现StackOverFlow异常。导致栈溢出。
因为// s.delete(editStart - 1, editEnd);是一个字一个字删除,每删除一个字又会重新进入这个类,当要删除字数较多时,就会造成app奔溃。
新的方法,采用一次删除的方式, int st = insertCur + max - before;
int ed = editEnd; s.delete(st, ed);
Editable的删除方式为前闭后开区间,delete[st--ed).
st为第一个删除的位置,表达式为:要插入的位置 + 最大字数 - 已有的字数。int st = insertCur + max - before;
ed为光标的位置。
比如,已有5个字符(abcde),在5的位置(0为第一个)插入8个字符(ABCDEFGH),最大长度为10个字符:
abcdeABCDEFGH
则删除[10,13) 其中10=5 + 10 -5,13=光标的位置。
又比如,已有5个字符(abcde),在3的位置(0为第一个)插入8个字符(ABCDEFGH),最大长度为10个字符:
abcABCDEFGHde
则删除[3+10-5,11).
版权声明:本文为博主原创文章,未经博主允许不得转载。
TextWatcher限制字数,避免栈溢出
标签:android ui
原文地址:http://blog.csdn.net/pashanhuxp/article/details/48006471