格式,double 保留 2 位小数,integer 保留 0 位 java
Format, 2 decimal places for double and 0 for integer in java
如果有小数,我正在尝试将双精度格式设置为精确到小数点后两位,否则使用 DecimalFormat
将其删除
所以,我想实现下一个结果:
100.123 -> 100.12
100.12 -> 100.12
100.1 -> 100.10
100 -> 100
变体 #1
DecimalFormat("#,##0.00")
100.1 -> 100.10
but
100 -> 100.00
变体 #2
DecimalFormat("#,##0.##")
100 -> 100
but
100.1 -> 100.1
知道在我的情况下应该选择什么模式吗?
我认为我们需要一个 if 语句。
static double intMargin = 1e-14;
public static String myFormat(double d) {
DecimalFormat format;
// is value an integer?
if (Math.abs(d - Math.round(d)) < intMargin) { // close enough
format = new DecimalFormat("#,##0.##");
} else {
format = new DecimalFormat("#,##0.00");
}
return format.format(d);
}
要根据情况选择一个数字被视为整数的边距。只是不要假设你总是有一个精确的整数,而双打并不总是这样。
通过上面的声明myFormat(4)
returns 4
, myFormat(4.98)
returns 4.98
and myFormat(4.0001)
returns 4.00
.
我达到的唯一解决方案是使用 if 语句,就像这里提到的:
public static boolean isInteger(BigDecimal bigDecimal) {
int intVal = bigDecimal.intValue();
return bigDecimal.compareTo(new BigDecimal(intVal)) == 0;
}
public static String myFormat(BigDecimal bigDecimal) {
String formatPattern = isInteger(bigDecimal) ? "#,##0" : "#,##0.00";
return new DecimalFormat(formatPattern).format(bigDecimal);
}
测试
myFormat(new BigDecimal("100")); // 100
myFormat(new BigDecimal("100.1")); // 100.10
如果有人知道更优雅的方法,请分享!
如果有小数,我正在尝试将双精度格式设置为精确到小数点后两位,否则使用 DecimalFormat
将其删除所以,我想实现下一个结果:
100.123 -> 100.12
100.12 -> 100.12
100.1 -> 100.10
100 -> 100
变体 #1
DecimalFormat("#,##0.00")
100.1 -> 100.10
but
100 -> 100.00
变体 #2
DecimalFormat("#,##0.##")
100 -> 100
but
100.1 -> 100.1
知道在我的情况下应该选择什么模式吗?
我认为我们需要一个 if 语句。
static double intMargin = 1e-14;
public static String myFormat(double d) {
DecimalFormat format;
// is value an integer?
if (Math.abs(d - Math.round(d)) < intMargin) { // close enough
format = new DecimalFormat("#,##0.##");
} else {
format = new DecimalFormat("#,##0.00");
}
return format.format(d);
}
要根据情况选择一个数字被视为整数的边距。只是不要假设你总是有一个精确的整数,而双打并不总是这样。
通过上面的声明myFormat(4)
returns 4
, myFormat(4.98)
returns 4.98
and myFormat(4.0001)
returns 4.00
.
我达到的唯一解决方案是使用 if 语句,就像这里提到的:
public static boolean isInteger(BigDecimal bigDecimal) {
int intVal = bigDecimal.intValue();
return bigDecimal.compareTo(new BigDecimal(intVal)) == 0;
}
public static String myFormat(BigDecimal bigDecimal) {
String formatPattern = isInteger(bigDecimal) ? "#,##0" : "#,##0.00";
return new DecimalFormat(formatPattern).format(bigDecimal);
}
测试
myFormat(new BigDecimal("100")); // 100
myFormat(new BigDecimal("100.1")); // 100.10
如果有人知道更优雅的方法,请分享!