我有一个editText,起始值是$ 0.00。按1时,它变为$ 0.01。按4,它达到$ 0.14。按8,$ 1.48。按退格键,0.14美元等等。
这样可行,问题是,如果有人手动定位光标,格式化中会出现问题。如果他们要删除小数,它就不会回来。如果他们将光标放在小数前面并输入2,它将显示$ 02.00而不是$ 2.00。如果他们试图删除$,它将删除一个数字,例如。
以下是我正在使用的代码,我很感激任何建议。
mEditPrice.setRawInputType(Configuration.KEYBOARD_12KEY);
public void priceClick(View view) {
mEditPrice.addTextChangedListener(new TextWatcher(){
DecimalFormat dec = new DecimalFormat("0.00");
@Override
public void afterTextChanged(Editable arg0) {
}
@Override
public void beforeTextChanged(CharSequence s, int start,
int count, int after) {
}
@Override
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]", "");
if (userInput.length() > 0) {
Float in=Float.parseFloat(userInput);
float percen = in/100;
mEditPrice.setText("$"+dec.format(percen));
mEditPrice.setSelection(mEditPrice.getText().length());
}
}
}
});
答案 0 :(得分:133)
我测试了你的方法,但是当我使用大数字时它失败了......我创建了这个:
private String current = "";
@Override
public void onTextChanged(CharSequence s, int start, int before, int count) {
if(!s.toString().equals(current)){
[your_edittext].removeTextChangedListener(this);
String cleanString = s.toString().replaceAll("[$,.]", "");
double parsed = Double.parseDouble(cleanString);
String formatted = NumberFormat.getCurrencyInstance().format((parsed/100));
current = formatted;
[your_edittext].setText(formatted);
[your_edittext].setSelection(formatted.length());
[your_edittext].addTextChangedListener(this);
}
}
答案 1 :(得分:21)
基于上述一些答案,我创建了一个MoneyTextWatcher,您可以按如下方式使用:
priceEditText.addTextChangedListener(new MoneyTextWatcher(priceEditText));
并且在这里上课:
public class MoneyTextWatcher implements TextWatcher {
private final WeakReference<EditText> editTextWeakReference;
public MoneyTextWatcher(EditText editText) {
editTextWeakReference = new WeakReference<EditText>(editText);
}
@Override
public void beforeTextChanged(CharSequence s, int start, int count, int after) {
}
@Override
public void onTextChanged(CharSequence s, int start, int before, int count) {
}
@Override
public void afterTextChanged(Editable editable) {
EditText editText = editTextWeakReference.get();
if (editText == null) return;
String s = editable.toString();
if (s.isEmpty()) return;
editText.removeTextChangedListener(this);
String cleanString = s.replaceAll("[$,.]", "");
BigDecimal parsed = new BigDecimal(cleanString).setScale(2, BigDecimal.ROUND_FLOOR).divide(new BigDecimal(100), BigDecimal.ROUND_FLOOR);
String formatted = NumberFormat.getCurrencyInstance().format(parsed);
editText.setText(formatted);
editText.setSelection(formatted.length());
editText.addTextChangedListener(this);
}
}
答案 2 :(得分:12)
实际上,之前提供的解决方案不起作用。如果要输入100.00,则不起作用。
替换:
double parsed = Double.parseDouble(cleanString);
String formato = NumberFormat.getCurrencyInstance().format((parsed/100));
使用:
BigDecimal parsed = new BigDecimal(cleanString).setScale(2,BigDecimal.ROUND_FLOOR).divide(new BigDecimal(100),BigDecimal.ROUND_FLOOR);
String formato = NumberFormat.getCurrencyInstance().format(parsed);
我必须说我对我的代码进行了一些修改。问题是你应该使用BigDecimal的
答案 3 :(得分:12)
这是我的自定义CurrencyEditText
import android.content.Context;import android.graphics.Rect;import android.text.Editable;import android.text.InputFilter;import android.text.InputType;import android.text.TextWatcher;
import android.util.AttributeSet;import android.widget.EditText;import java.math.BigDecimal;import java.math.RoundingMode;
import java.text.DecimalFormat;import java.text.DecimalFormatSymbols;
import java.util.Locale;
/**
* Some note <br/>
* <li>Always use locale US instead of default to make DecimalFormat work well in all language</li>
*/
public class CurrencyEditText extends android.support.v7.widget.AppCompatEditText {
private static String prefix = "VND ";
private static final int MAX_LENGTH = 20;
private static final int MAX_DECIMAL = 3;
private CurrencyTextWatcher currencyTextWatcher = new CurrencyTextWatcher(this, prefix);
public CurrencyEditText(Context context) {
this(context, null);
}
public CurrencyEditText(Context context, AttributeSet attrs) {
this(context, attrs, android.support.v7.appcompat.R.attr.editTextStyle);
}
public CurrencyEditText(Context context, AttributeSet attrs, int defStyleAttr) {
super(context, attrs, defStyleAttr);
this.setInputType(InputType.TYPE_CLASS_NUMBER | InputType.TYPE_NUMBER_FLAG_DECIMAL);
this.setHint(prefix);
this.setFilters(new InputFilter[] { new InputFilter.LengthFilter(MAX_LENGTH) });
}
@Override
protected void onFocusChanged(boolean focused, int direction, Rect previouslyFocusedRect) {
super.onFocusChanged(focused, direction, previouslyFocusedRect);
if (focused) {
this.addTextChangedListener(currencyTextWatcher);
} else {
this.removeTextChangedListener(currencyTextWatcher);
}
handleCaseCurrencyEmpty(focused);
}
/**
* When currency empty <br/>
* + When focus EditText, set the default text = prefix (ex: VND) <br/>
* + When EditText lose focus, set the default text = "", EditText will display hint (ex:VND)
*/
private void handleCaseCurrencyEmpty(boolean focused) {
if (focused) {
if (getText().toString().isEmpty()) {
setText(prefix);
}
} else {
if (getText().toString().equals(prefix)) {
setText("");
}
}
}
private static class CurrencyTextWatcher implements TextWatcher {
private final EditText editText;
private String previousCleanString;
private String prefix;
CurrencyTextWatcher(EditText editText, String prefix) {
this.editText = editText;
this.prefix = prefix;
}
@Override
public void beforeTextChanged(CharSequence s, int start, int count, int after) {
// do nothing
}
@Override
public void onTextChanged(CharSequence s, int start, int before, int count) {
// do nothing
}
@Override
public void afterTextChanged(Editable editable) {
String str = editable.toString();
if (str.length() < prefix.length()) {
editText.setText(prefix);
editText.setSelection(prefix.length());
return;
}
if (str.equals(prefix)) {
return;
}
// cleanString this the string which not contain prefix and ,
String cleanString = str.replace(prefix, "").replaceAll("[,]", "");
// for prevent afterTextChanged recursive call
if (cleanString.equals(previousCleanString) || cleanString.isEmpty()) {
return;
}
previousCleanString = cleanString;
String formattedString;
if (cleanString.contains(".")) {
formattedString = formatDecimal(cleanString);
} else {
formattedString = formatInteger(cleanString);
}
editText.removeTextChangedListener(this); // Remove listener
editText.setText(formattedString);
handleSelection();
editText.addTextChangedListener(this); // Add back the listener
}
private String formatInteger(String str) {
BigDecimal parsed = new BigDecimal(str);
DecimalFormat formatter =
new DecimalFormat(prefix + "#,###", new DecimalFormatSymbols(Locale.US));
return formatter.format(parsed);
}
private String formatDecimal(String str) {
if (str.equals(".")) {
return prefix + ".";
}
BigDecimal parsed = new BigDecimal(str);
// example pattern VND #,###.00
DecimalFormat formatter = new DecimalFormat(prefix + "#,###." + getDecimalPattern(str),
new DecimalFormatSymbols(Locale.US));
formatter.setRoundingMode(RoundingMode.DOWN);
return formatter.format(parsed);
}
/**
* It will return suitable pattern for format decimal
* For example: 10.2 -> return 0 | 10.23 -> return 00, | 10.235 -> return 000
*/
private String getDecimalPattern(String str) {
int decimalCount = str.length() - str.indexOf(".") - 1;
StringBuilder decimalPattern = new StringBuilder();
for (int i = 0; i < decimalCount && i < MAX_DECIMAL; i++) {
decimalPattern.append("0");
}
return decimalPattern.toString();
}
private void handleSelection() {
if (editText.getText().length() <= MAX_LENGTH) {
editText.setSelection(editText.getText().length());
} else {
editText.setSelection(MAX_LENGTH);
}
}
}
}
在XML中使用它
<...CurrencyEditText
android:layout_width="match_parent"
android:layout_height="wrap_content"
/>
您应该在下面编辑2常量以适合您的项目
private static String prefix = "VND ";
private static final int MAX_DECIMAL = 3;
答案 4 :(得分:6)
我使用实现TextWatcher更改类以使用Brasil货币格式并在编辑值时调整光标位置。
public class MoneyTextWatcher implements TextWatcher { private EditText editText; private String lastAmount = ""; private int lastCursorPosition = -1; public MoneyTextWatcher(EditText editText) { super(); this.editText = editText; } @Override public void onTextChanged(CharSequence amount, int start, int before, int count) { if (!amount.toString().equals(lastAmount)) { String cleanString = clearCurrencyToNumber(amount.toString()); try { String formattedAmount = transformToCurrency(cleanString); editText.removeTextChangedListener(this); editText.setText(formattedAmount); editText.setSelection(formattedAmount.length()); editText.addTextChangedListener(this); if (lastCursorPosition != lastAmount.length() && lastCursorPosition != -1) { int lengthDelta = formattedAmount.length() - lastAmount.length(); int newCursorOffset = max(0, min(formattedAmount.length(), lastCursorPosition + lengthDelta)); editText.setSelection(newCursorOffset); } } catch (Exception e) { //log something } } } @Override public void afterTextChanged(Editable s) { } @Override public void beforeTextChanged(CharSequence s, int start, int count, int after) { String value = s.toString(); if(!value.equals("")){ String cleanString = clearCurrencyToNumber(value); String formattedAmount = transformToCurrency(cleanString); lastAmount = formattedAmount; lastCursorPosition = editText.getSelectionStart(); } } public static String clearCurrencyToNumber(String currencyValue) { String result = null; if (currencyValue == null) { result = ""; } else { result = currencyValue.replaceAll("[(a-z)|(A-Z)|($,. )]", ""); } return result; } public static boolean isCurrencyValue(String currencyValue, boolean podeSerZero) { boolean result; if (currencyValue == null || currencyValue.length() == 0) { result = false; } else { if (!podeSerZero && currencyValue.equals("0,00")) { result = false; } else { result = true; } } return result; } public static String transformToCurrency(String value) { double parsed = Double.parseDouble(value); String formatted = NumberFormat.getCurrencyInstance(new Locale("pt", "BR")).format((parsed / 100)); formatted = formatted.replaceAll("[^(0-9)(.,)]", ""); return formatted; } }
答案 5 :(得分:4)
好的,这是处理货币格式,删除后退键击的更好方法。 代码基于上面的@androidcurious代码...... 但是,处理与向后删除和一些解析异常相关的一些问题: http://miguelt.blogspot.ca/2013/01/textwatcher-for-currency-masksformatting.html [更新]以前的解决方案存在一些问题...... 这是一个更好的solutoin:http://miguelt.blogspot.ca/2013/02/update-textwatcher-for-currency.html 而且......这里有详细信息:
这种方法更好,因为它使用传统的Android机制。 我们的想法是在用户存在View之后格式化值。
定义一个InputFilter来限制数值 - 在大多数情况下这是必需的,因为屏幕不够大,无法容纳长的EditText视图。 这可以是静态内部类,也可以只是另一个普通类:
/** Numeric range Filter. */
class NumericRangeFilter implements InputFilter {
/** Maximum value. */
private final double maximum;
/** Minimum value. */
private final double minimum;
/** Creates a new filter between 0.00 and 999,999.99. */
NumericRangeFilter() {
this(0.00, 999999.99);
}
/** Creates a new filter.
* @param p_min Minimum value.
* @param p_max Maximum value.
*/
NumericRangeFilter(double p_min, double p_max) {
maximum = p_max;
minimum = p_min;
}
@Override
public CharSequence filter(
CharSequence p_source, int p_start,
int p_end, Spanned p_dest, int p_dstart, int p_dend
) {
try {
String v_valueStr = p_dest.toString().concat(p_source.toString());
double v_value = Double.parseDouble(v_valueStr);
if (v_value<=maximum && v_value>=minimum) {
// Returning null will make the EditText to accept more values.
return null;
}
} catch (NumberFormatException p_ex) {
// do nothing
}
// Value is out of range - return empty string.
return "";
}
}
定义一个实现View.OnFocusChangeListener的类(内部静态或只是一个类)。 请注意,我正在使用Utils类 - 可以在“Amounts,Taxes”中找到实现。
/** Used to format the amount views. */
class AmountOnFocusChangeListener implements View.OnFocusChangeListener {
@Override
public void onFocusChange(View p_view, boolean p_hasFocus) {
// This listener will be attached to any view containing amounts.
EditText v_amountView = (EditText)p_view;
if (p_hasFocus) {
// v_value is using a currency mask - transfor over to cents.
String v_value = v_amountView.getText().toString();
int v_cents = Utils.parseAmountToCents(v_value);
// Now, format cents to an amount (without currency mask)
v_value = Utils.formatCentsToAmount(v_cents);
v_amountView.setText(v_value);
// Select all so the user can overwrite the entire amount in one shot.
v_amountView.selectAll();
} else {
// v_value is not using a currency mask - transfor over to cents.
String v_value = v_amountView.getText().toString();
int v_cents = Utils.parseAmountToCents(v_value);
// Now, format cents to an amount (with currency mask)
v_value = Utils.formatCentsToCurrency(v_cents);
v_amountView.setText(v_value);
}
}
}
此类将在编辑时删除货币格式 - 依赖于标准机制。 当用户退出时,将重新应用货币格式。
最好定义一些静态变量以最小化实例数:
static final InputFilter[] FILTERS = new InputFilter[] {new NumericRangeFilter()};
static final View.OnFocusChangeListener ON_FOCUS = new AmountOnFocusChangeListener();
最后,在onCreateView(...)中:
EditText mAmountView = ....
mAmountView.setFilters(FILTERS);
mAmountView.setOnFocusChangeListener(ON_FOCUS);
您可以在任意数量的EditText视图上重复使用FILTERS和ON_FOCUS。
这是Utils类:
public class Utils {
private static final NumberFormat FORMAT_CURRENCY = NumberFormat.getCurrencyInstance();
/** Parses an amount into cents.
* @param p_value Amount formatted using the default currency.
* @return Value as cents.
*/
public static int parseAmountToCents(String p_value) {
try {
Number v_value = FORMAT_CURRENCY.parse(p_value);
BigDecimal v_bigDec = new BigDecimal(v_value.doubleValue());
v_bigDec = v_bigDec.setScale(2, BigDecimal.ROUND_HALF_UP);
return v_bigDec.movePointRight(2).intValue();
} catch (ParseException p_ex) {
try {
// p_value doesn't have a currency format.
BigDecimal v_bigDec = new BigDecimal(p_value);
v_bigDec = v_bigDec.setScale(2, BigDecimal.ROUND_HALF_UP);
return v_bigDec.movePointRight(2).intValue();
} catch (NumberFormatException p_ex1) {
return -1;
}
}
}
/** Formats cents into a valid amount using the default currency.
* @param p_value Value as cents
* @return Amount formatted using a currency.
*/
public static String formatCentsToAmount(int p_value) {
BigDecimal v_bigDec = new BigDecimal(p_value);
v_bigDec = v_bigDec.setScale(2, BigDecimal.ROUND_HALF_UP);
v_bigDec = v_bigDec.movePointLeft(2);
String v_currency = FORMAT_CURRENCY.format(v_bigDec.doubleValue());
return v_currency.replace(FORMAT_CURRENCY.getCurrency().getSymbol(), "").replace(",", "");
}
/** Formats cents into a valid amount using the default currency.
* @param p_value Value as cents
* @return Amount formatted using a currency.
*/
public static String formatCentsToCurrency(int p_value) {
BigDecimal v_bigDec = new BigDecimal(p_value);
v_bigDec = v_bigDec.setScale(2, BigDecimal.ROUND_HALF_UP);
v_bigDec = v_bigDec.movePointLeft(2);
return FORMAT_CURRENCY.format(v_bigDec.doubleValue());
}
}
答案 6 :(得分:4)
我建立在Guilhermes的答案上,但是我保留了光标的位置,并且还以不同的方式处理句点 - 这样如果用户在句点之后键入,这不会影响我发现这段时间之前的数字非常顺利的输入。
[yourtextfield].addTextChangedListener(new TextWatcher()
{
NumberFormat currencyFormat = NumberFormat.getCurrencyInstance();
private String current = "";
@Override
public void onTextChanged(CharSequence s, int start, int before, int count)
{
if(!s.toString().equals(current))
{
[yourtextfield].removeTextChangedListener(this);
int selection = [yourtextfield].getSelectionStart();
// We strip off the currency symbol
String replaceable = String.format("[%s,\\s]", NumberFormat.getCurrencyInstance().getCurrency().getSymbol());
String cleanString = s.toString().replaceAll(replaceable, "");
double price;
// Parse the string
try
{
price = Double.parseDouble(cleanString);
}
catch(java.lang.NumberFormatException e)
{
price = 0;
}
// If we don't see a decimal, then the user must have deleted it.
// In that case, the number must be divided by 100, otherwise 1
int shrink = 1;
if(!(s.toString().contains(".")))
{
shrink = 100;
}
// Reformat the number
String formated = currencyFormat.format((price / shrink));
current = formated;
[yourtextfield].setText(formated);
[yourtextfield].setSelection(Math.min(selection, [yourtextfield].getText().length()));
[yourtextfield].addTextChangedListener(this);
}
}
@Override
public void beforeTextChanged(CharSequence s, int start, int count, int after)
{
}
@Override
public void afterTextChanged(Editable s)
{
}
});
答案 7 :(得分:3)
我从here获得此信息并将其更改为符合葡萄牙货币格式。
import java.text.NumberFormat;
import java.util.Currency;
import java.util.Locale;
import android.text.Editable;
import android.text.TextWatcher;
import android.widget.EditText;
public class CurrencyTextWatcher implements TextWatcher {
private String current = "";
private int index;
private boolean deletingDecimalPoint;
private final EditText currency;
public CurrencyTextWatcher(EditText p_currency) {
currency = p_currency;
}
@Override
public void beforeTextChanged(CharSequence p_s, int p_start, int p_count, int p_after) {
if (p_after>0) {
index = p_s.length() - p_start;
} else {
index = p_s.length() - p_start - 1;
}
if (p_count>0 && p_s.charAt(p_start)==',') {
deletingDecimalPoint = true;
} else {
deletingDecimalPoint = false;
}
}
@Override
public void onTextChanged(CharSequence s, int start, int before, int count) {
}
@Override
public void afterTextChanged(Editable p_s) {
if(!p_s.toString().equals(current)){
currency.removeTextChangedListener(this);
if (deletingDecimalPoint) {
p_s.delete(p_s.length()-index-1, p_s.length()-index);
}
// Currency char may be retrieved from NumberFormat.getCurrencyInstance()
String v_text = p_s.toString().replace("€","").replace(",", "");
v_text = v_text.replaceAll("\\s", "");
double v_value = 0;
if (v_text!=null && v_text.length()>0) {
v_value = Double.parseDouble(v_text);
}
// Currency instance may be retrieved from a static member.
NumberFormat numberFormat = NumberFormat.getCurrencyInstance(new Locale("pt", "PT"));
String v_formattedValue = numberFormat.format((v_value/100));
current = v_formattedValue;
currency.setText(v_formattedValue);
if (index>v_formattedValue.length()) {
currency.setSelection(v_formattedValue.length());
} else {
currency.setSelection(v_formattedValue.length()-index);
}
// include here anything you may want to do after the formatting is completed.
currency.addTextChangedListener(this);
}
}
}
layout.xml
<EditText
android:id="@+id/edit_text_your_id"
...
android:text="0,00 €"
android:inputType="numberDecimal"
android:digits="0123456789" />
让它开始工作
yourEditText = (EditText) findViewById(R.id.edit_text_your_id);
yourEditText.setRawInputType(Configuration.KEYBOARD_12KEY);
yourEditText.addTextChangedListener(new CurrencyTextWatcher(yourEditText));
答案 8 :(得分:2)
我使用Nathan Leigh引用的实现和Kayvan N和user2582318建议的正则表达式删除除数字之外的所有字符以创建以下版本:
fun EditText.addCurrencyFormatter() {
// Reference: https://stackoverflow.com/questions/5107901/better-way-to-format-currency-input-edittext/29993290#29993290
this.addTextChangedListener(object: TextWatcher {
private var current = ""
override fun afterTextChanged(s: Editable?) {
}
override fun beforeTextChanged(s: CharSequence?, start: Int, count: Int, after: Int) {
}
override fun onTextChanged(s: CharSequence?, start: Int, before: Int, count: Int) {
if (s.toString() != current) {
this@addCurrencyFormatter.removeTextChangedListener(this)
// strip off the currency symbol
// Reference for this replace regex: https://stackoverflow.com/questions/5107901/better-way-to-format-currency-input-edittext/28005836#28005836
val cleanString = s.toString().replace("\\D".toRegex(), "")
val parsed = if (cleanString.isBlank()) 0.0 else cleanString.toDouble()
// format the double into a currency format
val formated = NumberFormat.getCurrencyInstance()
.format(parsed / 100)
current = formated
this@addCurrencyFormatter.setText(formated)
this@addCurrencyFormatter.setSelection(formated.length)
this@addCurrencyFormatter.addTextChangedListener(this)
}
}
})
}
这是Kotlin中的扩展函数,它将TextWatcher添加到EditText的TextChangedListener。
为了使用它,只需:
yourEditText = (EditText) findViewById(R.id.edit_text_your_id);
yourEditText.addCurrencyFormatter()
我希望它有所帮助。
答案 9 :(得分:2)
虽然这里有很多答案,但我想分享一下我在here中找到的代码,因为我相信它是最强大和最干净的答案。
class CurrencyTextWatcher implements TextWatcher {
boolean mEditing;
public CurrencyTextWatcher() {
mEditing = false;
}
public synchronized void afterTextChanged(Editable s) {
if(!mEditing) {
mEditing = true;
String digits = s.toString().replaceAll("\\D", "");
NumberFormat nf = NumberFormat.getCurrencyInstance();
try{
String formatted = nf.format(Double.parseDouble(digits)/100);
s.replace(0, s.length(), formatted);
} catch (NumberFormatException nfe) {
s.clear();
}
mEditing = false;
}
}
public void beforeTextChanged(CharSequence s, int start, int count, int after) { }
public void onTextChanged(CharSequence s, int start, int before, int count) { }
}
希望它有所帮助。
答案 10 :(得分:2)
最好使用InputFilter接口。使用正则表达式更容易处理任何类型的输入。我的货币输入格式解决方案:
public class CurrencyFormatInputFilter implements InputFilter {
Pattern mPattern = Pattern.compile("(0|[1-9]+[0-9]*)(\\.[0-9]{1,2})?");
@Override
public CharSequence filter(
CharSequence source,
int start,
int end,
Spanned dest,
int dstart,
int dend) {
String result =
dest.subSequence(0, dstart)
+ source.toString()
+ dest.subSequence(dend, dest.length());
Matcher matcher = mPattern.matcher(result);
if (!matcher.matches()) return dest.subSequence(dstart, dend);
return null;
}
}
有效期:0.00,0.0,10.00,111.1
无效:0,0.000,111,10,010.00,01.0
使用方法:
editText.setFilters(new InputFilter[] {new CurrencyFormatInputFilter()});
答案 11 :(得分:2)
对我而言,它就像这样工作
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]", "");
if (userInput.length() > 2) {
Float in=Float.parseFloat(userInput);
price = Math.round(in); // just to get an Integer
//float percen = in/100;
String first, last;
first = userInput.substring(0, userInput.length()-2);
last = userInput.substring(userInput.length()-2);
edEx1.setText("$"+first+"."+last);
Log.e(MainActivity.class.toString(), "first: "+first + " last:"+last);
edEx1.setSelection(edEx1.getText().length());
}
}
}
答案 12 :(得分:1)
我用它来允许用户输入货币并将其从字符串转换为int以存储在db中并再次从int更改为字符串
答案 13 :(得分:1)
如果你的json货币字段是数字类型(而不是字符串),它可能是3.1,3.15或只是3.因为json会自动舍入数字字段。
在这种情况下,您可能需要对其进行舍入以便正确显示(并且以后可以在输入字段上使用遮罩):
NumberFormat nf = NumberFormat.getCurrencyInstance();
float value = 200 // it can be 200, 200.3 or 200.37, BigDecimal will take care
BigDecimal valueAsBD = BigDecimal.valueOf(value);
valueAsBD.setScale(2, BigDecimal.ROUND_HALF_UP);
String formated = nf.format(valueAsBD);
为什么需要这样做?
所有答案都指向在输入时删除货币符号,判断您是否正在收到美分,从而形成dolar + cents / 100 = dolar,美分。但是如果你的json货币字段是一个数字类型(而不是一个字符串),它将围绕你的分数,它可能是3,3.1或3.15。
答案 14 :(得分:1)
经过过多的搜索,并以Doubles,BigDecimals等失败,我编写了这段代码。它即插即用。它在科特林。因此,为了帮助其他人像我一样坚持下去,放手。
该代码基本上是一个将放置textWatcher并将昏迷调整到正确位置的功能。
首先,创建此函数:
<script>
function myFunction() {
var str = 'Hello" How are you';
var patt = /[a-zA-Z0-9-.{}@!#$%&()":,?=+_-~?\s]/g; // describes all the special characters which are allowed.
var result = str.match(patt);
document.getElementById("demo").innerHTML = result;
}
</script>
然后您以这种方式调用此函数
fun CurrencyWatcher( editText:EditText) {
editText.addTextChangedListener(object : TextWatcher {
//this will prevent the loop
var changed: Boolean = false
override fun afterTextChanged(p0: Editable?) {
changed = false
}
override fun beforeTextChanged(p0: CharSequence?, p1: Int, p2: Int, p3: Int) {
editText.setSelection(p0.toString().length)
}
@SuppressLint("SetTextI18n")
override fun onTextChanged(p0: CharSequence?, p1: Int, p2: Int, p3: Int) {
if (!changed) {
changed = true
var str: String = p0.toString().replace(",", "").trim()
var element0: String = str.elementAt(0).toString()
var element1: String = "x"
var element2: String = "x"
var element3: String = "x"
var element4: String = "x"
var element5: String = "x"
var element6: String = "x"
//this variables will store each elements of the initials data for the case we need to move this numbers like: 0,01 to 0,11 or 0,11 to 0,01
if (str.length >= 2) {
element1 = str.elementAt(1).toString()
}
if (str.length >= 3) {
element2 = str.elementAt(2).toString()
}
editText.removeTextChangedListener(this)
//this first block of code will take care of the case
//where the number starts with 0 and needs to adjusta the 0 and the "," place
if (str.length == 1) {
str = "0,0" + str
editText.setText(str)
} else if (str.length <= 3 && str == "00") {
str = "0,00"
editText.setText(str)
editText.setSelection(str.length)
} else if (element0 == "0" && element1 == "0" && element2 == "0") {
str = str.replace("000", "")
str = "0,0" + str
editText.setText(str)
} else if (element0 == "0" && element1 == "0" && element2 != "0") {
str = str.replace("00", "")
str = "0," + str
editText.setText(str)
} else {
//This block of code works with the cases that we need to move the "," only because the value is bigger
//lets get the others elements
if (str.length >= 4) {
element3 = str.elementAt(3).toString()
}
if (str.length >= 5) {
element4 = str.elementAt(4).toString()
}
if (str.length >= 6) {
element5 = str.elementAt(5).toString()
}
if (str.length == 7) {
element6 = str.elementAt(6).toString()
}
if (str.length >= 4 && element0 != "0") {
val sb: StringBuilder = StringBuilder(str)
//set the coma in right place
sb.insert(str.length - 2, ",")
str = sb.toString()
}
//change the 0,11 to 1,11
if (str.length == 4 && element0 == "0") {
val sb: StringBuilder = StringBuilder(str)
//takes the initial 0 out
sb.deleteCharAt(0);
str = sb.toString()
val sb2: StringBuilder = StringBuilder(str)
sb2.insert(str.length - 2, ",")
str = sb2.toString()
}
//this will came up when its like 11,11 and the user delete one, so it will be now 1,11
if (str.length == 3 && element0 != "0") {
val sb: StringBuilder = StringBuilder(str)
sb.insert(str.length - 2, ",")
str = sb.toString()
}
//came up when its like 0,11 and the user delete one, output will be 0,01
if (str.length == 2 && element0 == "0") {
val sb: StringBuilder = StringBuilder(str)
//takes 0 out
sb.deleteCharAt(0);
str = sb.toString()
str = "0,0" + str
}
//came up when its 1,11 and the user delete, output will be 0,11
if (str.length == 2 && element0 != "0") {
val sb: StringBuilder = StringBuilder(str)
//retira o 0 da frente
sb.insert(0, "0,")
str = sb.toString()
}
editText.setText(str)
}
//places the selector at the end to increment the number
editText.setSelection(str.length)
editText.addTextChangedListener(this)
}
}
})
}
答案 15 :(得分:0)
这就像Saeid Mohammadi的回答,但是我改成接受负数。
Stack
答案 16 :(得分:0)
public class MoneyEditText extends android.support.v7.widget.AppCompatEditText{
public MoneyEditText(Context context) {
super(context);
addTextChangedListener(MoneySplitter());
}
public MoneyEditText(Context context, AttributeSet attrs) {
super(context, attrs);
addTextChangedListener(MoneySplitter());
}
public MoneyEditText(Context context, AttributeSet attrs, int defStyleAttr) {
super(context, attrs, defStyleAttr);
addTextChangedListener(MoneySplitter());
}
public TextWatcher MoneySplitter() {
TextWatcher textWatcher = new TextWatcher() {
@Override
public void onTextChanged(CharSequence s, int start, int before, int count) {
try
{
removeTextChangedListener(this);
String value = s.toString();
if (!value.equals(""))
{
if(!TextUtils.isEmpty(value))
setText(formatPrice(Double.parseDouble(value)));
setSelection(getText().toString().length());
}
addTextChangedListener(this);
}
catch (Exception ex)
{
ex.printStackTrace();
addTextChangedListener(this);
}
}
@Override
public void beforeTextChanged(CharSequence s, int start, int count, int after) {
}
@Override
public void afterTextChanged(Editable s) {
}
};
return textWatcher;
}
public static String formatPrice(double value){
int DecimalPointNumber = 2;
Locale locale = Locale.getDefault();
DecimalFormat myFormatter = (DecimalFormat) NumberFormat.getCurrencyInstance(locale);
StringBuilder sb = new StringBuilder();
if(DecimalPointNumber>0){
for (int i = 0; i < DecimalPointNumber; i++) {
sb.append("#");
}
myFormatter.applyPattern("###,###."+ sb.toString());
}else
myFormatter.applyPattern("###,###"+ sb.toString());
return Currency.getInstance(Locale.getDefault()).getSymbol() + myFormatter.format(value);
}
}
,然后将此块用作您的editText
<MoneyEditText
android:id="@+id/txtPrice"
android:layout_width="match_parent"
android:layout_height="64dp"
android:digits="0123456789.,"
android:inputType="numberDecimal"
android:selectAllOnFocus="true"
android:singleLine="true" />
答案 17 :(得分:0)
科特林版本:
var current = ""
editText.addTextChangedListener(object: TextWatcher {
override fun afterTextChanged(s: Editable?) {}
override fun beforeTextChanged(s: CharSequence?, start: Int, count: Int, after: Int) {}
override fun onTextChanged(s: CharSequence?, start: Int, before: Int, count: Int) {
val stringText = s.toString()
if(stringText != current) {
editText.removeTextChangedListener(this)
val locale: Locale = Locale.UK
val currency = Currency.getInstance(locale)
val cleanString = stringText.replace("[${currency.symbol},.]".toRegex(), "")
val parsed = cleanString.toDouble()
val formatted = NumberFormat.getCurrencyInstance(locale).format(parsed / 100)
current = formatted
editText.setText(formatted)
editText.setSelection(formatted.length)
editText.addTextChangedListener(this)
}
}
})
答案 18 :(得分:0)
您可以使用这些方法
import android.text.Editable
import android.text.TextWatcher
import android.widget.EditText
import android.widget.TextView
import java.text.NumberFormat
import java.util.*
fun TextView.currencyFormat() {
addTextChangedListener(object : TextWatcher {
override fun afterTextChanged(s: Editable?) {}
override fun beforeTextChanged(s: CharSequence?, start: Int, count: Int, after: Int) {}
override fun onTextChanged(s: CharSequence?, start: Int, before: Int, count: Int) {
removeTextChangedListener(this)
text = if (s?.toString().isNullOrBlank()) {
""
} else {
s.toString().currencyFormat()
}
if(this@currencyFormat is EditText){
setSelection(text.toString().length)
}
addTextChangedListener(this)
}
})
}
fun String.currencyFormat(): String {
var current = this
if (current.isEmpty()) current = "0"
return try {
if (current.contains('.')) {
NumberFormat.getNumberInstance(Locale.getDefault()).format(current.replace(",", "").toDouble())
} else {
NumberFormat.getNumberInstance(Locale.getDefault()).format(current.replace(",", "").toLong())
}
} catch (e: Exception) {
"0"
}
}
答案 19 :(得分:0)
在您的 XML 中使用此 inputType
android:inputType="numberSigned|numberDecimal"
添加这个不错的 Kotlin 扩展函数:
**
* Use this function from [TextWatcher.afterTextChanged] it will first call [AppCompatEditText.removeTextChangedListener]
* on the TextWatcher you pass, manipulate the text and then register it again after it call setText.
*
* @param fallback The String that we will return if the user is doing illegal adding, like trying to add a third digit after the comma.
* It is best if you will keep the fallback as a member of the class the EditText resides in - and store in it
* @param textWatcher [TextWatcher] It will be used to unregister before manipulating the text.
* @param locale The locale that we will pass to [NumberFormat.getCurrencyInstance] - it will affect the currency sign. default is [Locale.US]
*
* @return A formatted String to use in [AppCompatEditText.setText]
*
*/
fun AppCompatEditText.formatCurrency(@NonNull fallback: String, @NonNull textWatcher: TextWatcher,
locale: Locale = Locale.US) {
removeTextChangedListener(textWatcher)
var original = text.toString()
if (original.startsWith(".")) {
// If the user press on '.-' key on the beginning of the amount - we are getting '.' and we turn it into '-'
setText(original.replaceFirst(".", "-"))
addTextChangedListener(textWatcher)
setSelection(text?.length ?: 0)
return
}
val split = original.split(".")
when (split.size) {
0 -> {
setText(fallback)
addTextChangedListener(textWatcher)
setSelection(text?.length ?: 0)
return
}
1 -> {
if (split[0] == "-") {
setText("-")
addTextChangedListener(textWatcher)
setSelection(text?.length ?: 0)
return
}
}
2 -> {
if (split[1].length > 2) {
setText(fallback)
addTextChangedListener(textWatcher)
setSelection(text?.length ?: 0)
return
}
}
}
// We store the decimal value in a local variable
val decimalSplit = original.split(".")
// flag to indicate that we have a decimal part on the original String.
val hasDecimal = decimalSplit.size > 1
if (hasDecimal) {
original = decimalSplit[0]
}
val isNegative = original.startsWith("-")
val cleanString: String = original.replace("""[$,]""".toRegex(), "")
val result = if (cleanString.isNotEmpty() && cleanString != "-") {
val formatString = original.replace("""[-$,.]""".toRegex(), "")
// Add Commas and Currency symbol.
var result = NumberFormat.getCurrencyInstance(locale).format(formatString.toDouble())
result = result.split('.')[0]
if (isNegative) {
// If it was negative we must add the minus sign.
result = "-${result}"
}
if (hasDecimal) {
// after the formatting the decimal is omitted, we need to append it.
result = "${result}.${decimalSplit[1]}"
}
result
} else {
original
}
setText(result)
addTextChangedListener(textWatcher)
setSelection(text?.length ?: 0)
}
像这样使用它:
class MyCoolClass{
private var mLastAmount = ""
...
...
private fun addTextWatcherToEt() {
mEtAmount.addTextChangedListener(object : TextWatcher {
override fun afterTextChanged(s: Editable?) {
mEtAmount.formatCurrency(mLastAmount, this)
mLastAmount = mEtAmount.text.toString()
// Do More stuff here if you need...
}
override fun beforeTextChanged(s: CharSequence?, start: Int, count: Int, after: Int) {
}
override fun onTextChanged(s: CharSequence?, start: Int, before: Int, count: Int) {
}
})
}
}
答案 20 :(得分:0)
只是对已批准答案的补充评论。由于解析,在edittext字段上移动光标时可能会崩溃。我做了一个try catch语句,但是实现了你自己的代码。
@Override public void onTextChanged(CharSequence s, int start, int before, int count) {
if(!s.toString().equals(current)){
amountEditText.removeTextChangedListener(this);
String cleanString = s.toString().replaceAll("[$,.]", "");
try{
double parsed = Double.parseDouble(cleanString);
String formatted = NumberFormat.getCurrencyInstance().format((parsed/100));
current = formatted;
amountEditText.setText(formatted);
amountEditText.setSelection(formatted.length());
} catch (Exception e) {
}
amountEditText.addTextChangedListener(this);
}
}
答案 21 :(得分:0)
如果有人对使用RxBinding和Kotlin的方式感兴趣:
var isEditing = false
RxTextView.textChanges(dollarValue)
.filter { !isEditing }
.filter { it.isNotBlank() }
.map { it.toString().filter { it.isDigit() } }
.map { BigDecimal(it).setScale(2, BigDecimal.ROUND_FLOOR).divide(100.toBigDecimal(), BigDecimal.ROUND_FLOOR) }
.map { NumberFormat.getCurrencyInstance(Locale("pt", "BR")).format(it) }
.subscribe {
isEditing = true
dollarValue.text = SpannableStringBuilder(it)
dollarValue.setSelection(it.length)
isEditing = false
}
答案 22 :(得分:0)
以下是我能够在EditText中显示货币的方法,该货币易于实现并且对用户来说效果很好,而且不会出现疯狂的符号。在EditText不再具有焦点之前,这不会尝试进行任何格式化。用户仍然可以返回并进行任何编辑而不会危及格式化。我使用'formattedPrice'变量仅用于显示,'itemPrice'变量用作我存储/用于计算的值。
它似乎工作得很好,但我只是在这几个星期,所以任何建设性的批评是绝对欢迎的!
xml中的EditText视图具有以下属性:
android:inputType="numberDecimal"
全局变量:
private String formattedPrice;
private int itemPrice = 0;
在onCreate方法中:
EditText itemPriceInput = findViewById(R.id.item_field_price);
itemPriceInput.setOnFocusChangeListener(new View.OnFocusChangeListener() {
@Override
public void onFocusChange(View v, boolean hasFocus) {
String priceString = itemPriceInput.getText().toString();
if (! priceString.equals("")) {
itemPrice = Double.parseDouble(priceString.replaceAll("[$,]", ""));
formattedPrice = NumberFormat.getCurrencyInstance().format(itemPrice);
itemPriceInput.setText(formattedPrice);
}
}
});
答案 23 :(得分:0)
CurrencyTextWatcher.java
public class CurrencyTextWatcher implements TextWatcher {
private final static String DS = "."; //Decimal Separator
private final static String TS = ","; //Thousands Separator
private final static String NUMBERS = "0123456789"; //Numbers
private final static int MAX_LENGTH = 13; //Maximum Length
private String format;
private DecimalFormat decimalFormat;
private EditText editText;
public CurrencyTextWatcher(EditText editText) {
String pattern = "###" + TS + "###" + DS + "##";
decimalFormat = new DecimalFormat(pattern);
this.editText = editText;
this.editText.setInputType(InputType.TYPE_CLASS_NUMBER);
this.editText.setKeyListener(DigitsKeyListener.getInstance(NUMBERS + DS));
this.editText.setFilters(new InputFilter[]{new InputFilter.LengthFilter(MAX_LENGTH)});
}
@Override
public void beforeTextChanged(CharSequence charSequence, int i, int i1, int i2) {
}
@Override
public void onTextChanged(CharSequence charSequence, int i, int i1, int i2) {
}
@Override
public void afterTextChanged(Editable editable) {
editText.removeTextChangedListener(this);
String value = editable.toString();
if (!value.isEmpty()) {
value = value.replace(TS, "");
try {
format = decimalFormat.format(Double.parseDouble(value));
format = format.replace("0", "");
} catch (Exception e) {
System.out.println(e.getMessage());
}
editText.setText(format);
}
editText.addTextChangedListener(this);
}
}
EditTextCurrency.java
public class EditTextCurrency extends AppCompatEditText {
public EditTextCurrency(Context context) {
super(context);
}
public EditTextCurrency(Context context, AttributeSet attrs) {
super(context, attrs);
addTextChangedListener(new CurrencyTextWatcher(this));
}
}
答案 24 :(得分:0)
另一种方法,但基于Guilherme answer。当您的国家/地区区域设置不可用或您要使用自定义货币符号时,此方法很有用。此实现仅适用于正十进制。
此代码位于Kotlin,setMaskingMoney
EditText
fun EditText.setMaskingMoney(currencyText: String) {
this.addTextChangedListener(object: MyTextWatcher{
val editTextWeakReference: WeakReference<EditText> = WeakReference<EditText>(this@setMaskingMoney)
override fun afterTextChanged(editable: Editable?) {
val editText = editTextWeakReference.get() ?: return
val s = editable.toString()
editText.removeTextChangedListener(this)
val cleanString = s.replace("[Rp,. ]".toRegex(), "")
val newval = currencyText + cleanString.monetize()
editText.setText(newval)
editText.setSelection(newval.length)
editText.addTextChangedListener(this)
}
})
}
然后MyTextWatcher
接口应该从TextWatcher
扩展。由于我们只需要afterTextChanged
方法,因此其他方法需要覆盖此接口
interface MyTextWatcher: TextWatcher {
override fun onTextChanged(p0: CharSequence?, p1: Int, p2: Int, p3: Int) {}
override fun beforeTextChanged(p0: CharSequence?, p1: Int, p2: Int, p3: Int) {}
}
和货币化方法是:
fun String.monetize(): String = if (this.isEmpty()) "0"
else DecimalFormat("#,###").format(this.replace("[^\\d]".toRegex(),"").toLong())
完整实施:
fun EditText.setMaskingMoney(currencyText: String) {
this.addTextChangedListener(object: MyTextWatcher{
val editTextWeakReference: WeakReference<EditText> = WeakReference<EditText>(this@setMaskingMoney)
override fun afterTextChanged(editable: Editable?) {
val editText = editTextWeakReference.get() ?: return
val s = editable.toString()
editText.removeTextChangedListener(this)
val cleanString = s.replace("[Rp,. ]".toRegex(), "")
val newval = currencyText + cleanString.monetize()
editText.setText(newval)
editText.setSelection(newval.length)
editText.addTextChangedListener(this)
}
})
}
interface MyTextWatcher: TextWatcher {
override fun onTextChanged(p0: CharSequence?, p1: Int, p2: Int, p3: Int) {}
override fun beforeTextChanged(p0: CharSequence?, p1: Int, p2: Int, p3: Int) {}
}
fun String.monetize(): String = if (this.isEmpty()) "0"
else DecimalFormat("#,###").format(this.replace("[^\\d]".toRegex(),"").toLong())
以及onCreate方法的某个地方:
yourTextView.setMaskingMoney("Rp. ")
答案 25 :(得分:0)
我已经实现了Kotlin + Rx版本。
这是巴西的货币(例如1,500.00 - 5,21 - 192,90),但您可以轻松适应其他格式。
希望其他人觉得它有用。
<input>
答案 26 :(得分:0)
使用TextWatcher
,InputFilter
或像CurrencyEditText之类的库查看大多数StackOverflow帖子以实现此目的后,我已经使用{x}}这个简单的解决方案OnFocusChangeListener
。
逻辑是在焦点聚焦时将EditText
解析为数字,并在失去焦点时将其格式化。
amount.setOnFocusChangeListener(new View.OnFocusChangeListener() {
@Override
public void onFocusChange(View view, boolean hasFocus) {
Number numberAmount = 0f;
try {
numberAmount = Float.valueOf(amount.getText().toString());
} catch (NumberFormatException e1) {
e1.printStackTrace();
try {
numberAmount = NumberFormat.getCurrencyInstance().parse(amount.getText().toString());
} catch (ParseException e2) {
e2.printStackTrace();
}
}
if (hasFocus) {
amount.setText(numberAmount.toString());
} else {
amount.setText(NumberFormat.getCurrencyInstance().format(numberAmount));
}
}
});