64位double可以精确地表示整数+/- 253。
鉴于这一事实,我选择使用双类型作为我所有类型的单一类型,因为我的最大整数是一个无符号的32位数字。
但现在我必须打印这些伪整数,但问题是它们也和实际的双精度数混合在一起。
那么如何在Java中很好地打印这些double呢?
我试过String。format("%f", value),这很接近,除了我得到了很多小值的末尾零。
下面是%f的输出示例
232.00000000
0.18000000000
1237875192.0
4.5800000000
0.00000000
1.23450000
我想要的是:
232
0.18
1237875192
4.58
0
1.2345
当然,我可以写一个函数来修剪这些零,但由于字符串操作,这是大量的性能损失。我能用其他格式的代码做得更好吗?
Tom E.和Jeremy S.的答案是不可接受的,因为他们都任意舍入到小数点后两位。请先理解问题再回答。
请注意字符串。Format (Format, args…)依赖于语言环境(见下面的答案)。
用分组、四舍五入和没有不必要的零(双位数)格式化价格。
规则:
末尾没有零(2.0000 = 2;1.0100000 = 1.01)
一个点后最多两位数(2.010 = 2.01;0.20 = 0.2)
一个点后的第二位数字(1.994 = 1.99;1.995 = 2;1.006 = 1.01;0.0006 -> 0
返回0 (null/-0 = 0)
增加$ (= $56/-$56)
分组(101101.02 = $101,101.02)
更多的例子:
-99.985 = -$99.99
10 = $10
10.00 = $10
20.01000089 = $20.01
它是用Kotlin编写的,作为Double的一个有趣的扩展(因为它在Android中使用),但它可以很容易地转换为Java,因为使用了Java类。
/**
* 23.0 -> $23
*
* 23.1 -> $23.1
*
* 23.01 -> $23.01
*
* 23.99 -> $23.99
*
* 23.999 -> $24
*
* -0.0 -> $0
*
* -5.00 -> -$5
*
* -5.019 -> -$5.02
*/
fun Double?.formatUserAsSum(): String {
return when {
this == null || this == 0.0 -> "$0"
this % 1 == 0.0 -> DecimalFormat("$#,##0;-$#,##0").format(this)
else -> DecimalFormat("$#,##0.##;-$#,##0.##").format(this)
}
}
使用方法:
var yourDouble: Double? = -20.00
println(yourDouble.formatUserAsSum()) // will print -$20
yourDouble = null
println(yourDouble.formatUserAsSum()) // will print $0
关于DecimalFormat: https://docs.oracle.com/javase/6/docs/api/java/text/DecimalFormat.html
最好的方法如下:
public class Test {
public static void main(String args[]){
System.out.println(String.format("%s something", new Double(3.456)));
System.out.println(String.format("%s something", new Double(3.456234523452)));
System.out.println(String.format("%s something", new Double(3.45)));
System.out.println(String.format("%s something", new Double(3)));
}
}
输出:
3.456 something
3.456234523452 something
3.45 something
3.0 something
唯一的问题是最后一个。0没有被删除。但如果你能接受这一点,那么这种方法就最好了。%。2f会四舍五入到小数点后两位。DecimalFormat也是如此。如果你需要所有的小数点后数位,但不需要后面的零,那么这个方法是最好的。