1

私のアプリには、人の身長用のEditTextフィールドがあります。5'9 "のようにフォーマットするにはどうすればよいですか?人が5と入力すると、アプリはそれ自体で'を追加し、人が9と入力すると、"を追加する必要があります。それ、どうやったら出来るの?ありがとうございました。

4

2 に答える 2

2

これを使って:

public class TextWatcherActivity extends Activity {

    EditText e;

    /** Called when the activity is first created. */
    @Override
    public void onCreate(Bundle savedInstanceState) {
        super.onCreate(savedInstanceState);
        setContentView(R.layout.main);

        e = (EditText) findViewById(R.id.editText1);
        e.addTextChangedListener(new CustomTextWatcher(e));
    }
}

class CustomTextWatcher implements TextWatcher {
    private EditText mEditText;

    public CustomTextWatcher(EditText e) {
        mEditText = e;
    }

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

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

    public void afterTextChanged(Editable s) {
        int count = s.length();
        String str = s.toString();
        if (count == 1) {
            str = str + "'";
        } else if (count == 2) {
            return;
        } else if (count == 3) {
            str = str + "\"";
        } else if (count >= 4) {
            return;
        }
        mEditText.setText(str);
            mEditText.setSelection(mEditText.getText().length());
    }
}

編集

ユーザーが1つ、2つ、またはそれ以上の数字を間に挿入して、上記のコードを次のように'変更"できる場合:afterTextChanged

public void afterTextChanged(Editable s) {
    int count = s.length();
    String str = s.toString();
    if (count == 1) {
        str = str + "'";
    } else if (count == 3) {
        str = str + "\"";
    } else if ((count > 4) && (str.charAt(str.length() - 1) != '\"') ){
        str = str.substring(0, str.length() - 2) + str.charAt(str.length() - 1)
        + "\"";
    } else {
        return;
    }
    mEditText.setText(str);
    mEditText.setSelection(mEditText.getText().length());
}
于 2012-09-27T18:21:52.867 に答える