在Java中格式化大数字

时间:2013-06-11 14:55:46

标签: java

我有一个maxlength

的edittext

我的问题是......

如何显示比maxlenght更大的数字值,例如windows calc ??

示例:

1.34223423423434e+32 

我希望使用edittext maxlength

编辑:如果可能的话,我希望这能用于显示和存储数字,而不会出现数学运算问题

由于

1 个答案:

答案 0 :(得分:3)

这是BigInteger类(或非整数的BigDecimal)的用途。

这些类以任意精度存储数字,并允许标准算术运算。您可以将数字的确切值作为字符串,然后根据需要格式化(例如修剪长度)。

(请注意,虽然看起来您可以将这些类与NumberFormat实例一起使用,但不建议这样做,因为如果数字不适合double,则会无声地丢失精度。 )

以下是使用它的示例:

// Create a BigDecimal from the input text
final String numStr = editText.getValue(); // or whatever your input is
final BigDecimal inputNum = new BigDecimal(numStr);

// Alternatievly you could pass a double into the BigDecimal constructor,
// though this might already lose precison - e.g. "1.1" cannot be represented
// exactly as a double.  So the String constructor is definitely preferred,
// especially if you're using Double.parseDouble somewhere "nearby" as then
// it's a drop-in replacement.

// Do arithmetic with it if needed:
final BigDecimal result = inputNum.multiply(new BigDecimal(2));

// Print it out in standard scientific format
System.out.println(String.format("%e", result));

// Print it out in the format you gave, i.e. scientific with 14dp
System.out.println(String.format("%.14e", result));

// Or do some custom formatting based on the exact string value of the number
final String resultStr = result.toString();
System.out.println("It starts with " + result.subString(0, 3) + "...");

我不确定完全您想要输出的格式,但不管它是什么,您应该能够使用BigDecimals作为后备存储来管理它。