EditText, показывающий числа с 2 десятичными знаками всегда - PullRequest
11 голосов
/ 09 июля 2011

Я хотел бы отображать ввод полей EditText с двумя десятичными знаками всегда.Таким образом, когда пользователь вводит 5, он показывает 5,00 или когда пользователь вводит 7,5, он показывает 7,50.

Кроме того, я хотел бы также показывать ноль, когда поле пусто, а не ничего.

У меня уже есть тип ввода:

android:inputType="number|numberDecimal"/>

Должен ли я работать здесь с фильтрами ввода?

Извините, я все еще новичок в Android / Java ...

Спасибо за вашу помощь!

Редактировать 2011-07-09 23.35 - Решена часть 1 из 2: «» до 0,00.

С ответом nickfox мне удалось решитьполовина моего вопроса.

    et.addTextChangedListener(new TextWatcher() {
        public void afterTextChanged(Editable s) {}
        public void beforeTextChanged(CharSequence s, int start, int count, int after) {}
        public void onTextChanged(CharSequence s, int start, int before, int count) {
            if(s.toString().matches(""))
            {
                et.setText("0.00");
                Selection.setSelection(et.getText(), 0, 4);
            } 
        }
    });

Я все еще работаю над решением для другой половины моего вопроса.Если я найду решение, я также опубликую его здесь.

Редактировать 2011-07-09 23.35 - Решена часть 2 из 2: Изменить ввод пользователя на число с двумя десятичными знаками.

OnFocusChangeListener FocusChanged = new OnFocusChangeListener() {

    @Override
    public void onFocusChange(View v, boolean hasFocus) {
        if(!hasFocus){
            String userInput = et.getText().toString();

            int dotPos = -1;    

            for (int i = 0; i < userInput.length(); i++) {
                char c = userInput.charAt(i);
                if (c == '.') {
                    dotPos = i;
                }
            }

            if (dotPos == -1){
                et.setText(userInput + ".00");
            } else {
                if ( userInput.length() - dotPos == 1 ) {
                    et.setText(userInput + "00");
                } else if ( userInput.length() - dotPos == 2 ) {
                    et.setText(userInput + "0");
                }
            }
        }
    }

Ответы [ 3 ]

16 голосов
/ 09 июля 2011

Вот то, что я использую для ввода доллара.Это гарантирует, что после десятичной точки всегда есть только 2 знака.Вы должны иметь возможность адаптировать его к вашим потребностям, удалив знак $.

    amountEditText.setRawInputType(Configuration.KEYBOARD_12KEY);
    amountEditText.addTextChangedListener(new TextWatcher() {
        public void afterTextChanged(Editable s) {}
        public void beforeTextChanged(CharSequence s, int start, int count, int after) {}

        public void onTextChanged(CharSequence s, int start, int before, int count) {
            if(!s.toString().matches("^\\$(\\d{1,3}(\\,\\d{3})*|(\\d+))(\\.\\d{2})?$"))
            {
                String userInput= ""+s.toString().replaceAll("[^\\d]", "");
                StringBuilder cashAmountBuilder = new StringBuilder(userInput);

                while (cashAmountBuilder.length() > 3 && cashAmountBuilder.charAt(0) == '0') {
                    cashAmountBuilder.deleteCharAt(0);
                }
                while (cashAmountBuilder.length() < 3) {
                    cashAmountBuilder.insert(0, '0');
                }
                cashAmountBuilder.insert(cashAmountBuilder.length()-2, '.');
                cashAmountBuilder.insert(0, '$');

                amountEditText.setText(cashAmountBuilder.toString());
                // keeps the cursor always to the right
                Selection.setSelection(amountEditText.getText(), cashAmountBuilder.toString().length());

            }

        }
    });
3 голосов
/ 16 января 2015

Обновление № 2

Поправьте меня, если я не прав, но официальные документы TextWatcher говорят, что это законный использует afterTextChanged метод для внесения изменений в ... EditText содержимое для этой задачи.

У меня та же задача в приложении на нескольких языках, и, как я знаю, в качестве разделителя можно использовать символы , или ., поэтому я изменяю nickfox ответ для формата 0,00 с общим пределом символов в 10:

Макет (Обновлено):

<com.custom.EditTextAlwaysLast
        android:id="@+id/et"
        android:layout_height="wrap_content"
        android:layout_width="fill_parent"
        android:maxLength="10"
        android:layout_marginTop="50dp"
        android:inputType="numberDecimal"
        android:gravity="right"/>

EditTextAlwaysПоследний класс:

import android.content.Context;
import android.graphics.Canvas;
import android.util.AttributeSet;
import android.widget.EditText;

/**
 * Created by Drew on 16-01-2015.
 */
public class EditTextAlwaysLast extends EditText {

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

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

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

    @Override
    protected void onSelectionChanged(int selStart, int selEnd) {
    //if just tap - cursor to the end of row, if long press - selection menu
        if (selStart==selEnd)
            setSelection(getText().length());
       super.onSelectionChanged(selStart, selEnd);
}


}

Код в методе ocCreate (Обновление № 2):

EditTextAlwaysLast amountEditText;
    Pattern regex;
    Pattern regexPaste;

    @Override
    protected void onCreate(Bundle savedInstanceState) {
        super.onCreate(savedInstanceState);
        setContentView(R.layout.activity_main);


        amountEditText = (EditTextAlwaysLast)findViewById(R.id.et);


        DecimalFormatSymbols dfs = new DecimalFormatSymbols(getResources().getConfiguration().locale);
        final char separator =  dfs.getDecimalSeparator();

        //pattern for simple input
        regex = Pattern.compile("^(\\d{1,7}["+ separator+"]\\d{2}){1}$");
        //pattern for inserted text, like 005 in buffer inserted to 0,05 at position of first zero => 5,05 as a result
        regexPaste = Pattern.compile("^([0]+\\d{1,6}["+separator+"]\\d{2})$");

        if (amountEditText.getText().toString().equals(""))
            amountEditText.setText("0"+ separator + "00");

        amountEditText.addTextChangedListener(new TextWatcher() {

            public void afterTextChanged(Editable s) {
                if (!s.toString().matches(regex.toString())||s.toString().matches(regexPaste.toString())){

                    //Unformatted string without any not-decimal symbols
                    String coins = s.toString().replaceAll("[^\\d]","");
                    StringBuilder builder = new StringBuilder(coins);

                    //Example: 0006
                    while (builder.length()>3 && builder.charAt(0)=='0')
                        //Result: 006
                        builder.deleteCharAt(0);
                    //Example: 06
                    while (builder.length()<3)
                        //Result: 006
                        builder.insert(0,'0');
                    //Final result: 0,06 or 0.06
                    builder.insert(builder.length()-2,separator);
                    amountEditText.setText(builder.toString());
                }
                amountEditText.setSelection(amountEditText.getText().length());
            }
            public void beforeTextChanged(CharSequence s, int start, int count, int after) {}

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

        });
    }

Это выглядит как лучший результат для меня. Теперь этот код поддерживает действия копирования-вставки

1 голос
/ 19 сентября 2013

Просто небольшие изменения в решениях, которые опубликовал Патрик. Я реализовал все в onFocusChangedListener. Также убедитесь, что для типа ввода EditText установлено значение «number | numberDecimal».

Изменения: Если вход пуст, замените на «0.00». Если входные данные имеют более двух десятичных знаков точности, то приводятся к двум десятичным. Небольшой рефакторинг.

editText.setOnFocusChangeListener(new OnFocusChangeListener() {
@Override public void onFocusChange(View v, boolean hasFocus) {
    if (!hasFocus) {
        String userInput = ET.getText().toString();

        if (TextUtils.isEmpty(userInput)) {
            userInput = "0.00";
        } else {
            float floatValue = Float.parseFloat(userInput);
            userInput = String.format("%.2f",floatValue);
        }

        editText.setText(userInput);
    }
}
});
...