我试图在Java程序中格式化一些数字。 这些数字将是双方双打和整数。 当处理双打,我想只保留两位小数分,但处理整数时,我想的计划,以确保他们不会受到影响。 换一种说法:
双打 - 输入
14.0184849945
双打 - 输出
14.01
整型 - 输入
13
整型 - 输出
13 (not 13.00)
是否有相同的DecimalFormat实例来实现这个的方法吗? 我的代码是下面的,至今:
DecimalFormat df = new DecimalFormat("#,###,##0.00");
DecimalFormatSymbols otherSymbols = new DecimalFormatSymbols(Locale.ENGLISH);
otherSymbols.setDecimalSeparator('.');
otherSymbols.setGroupingSeparator(',');
df.setDecimalFormatSymbols(otherSymbols);
你可以只设置minimumFractionDigits
为0。就像这样:
public class Test {
public static void main(String[] args) {
System.out.println(format(14.0184849945)); // prints '14.01'
System.out.println(format(13)); // prints '13'
System.out.println(format(3.5)); // prints '3.5'
System.out.println(format(3.138136)); // prints '3.13'
}
public static String format(Number n) {
NumberFormat format = DecimalFormat.getInstance();
format.setRoundingMode(RoundingMode.FLOOR);
format.setMinimumFractionDigits(0);
format.setMaximumFractionDigits(2);
return format.format(n);
}
}
难道你不只是包装器为程序调用的这一点。 例如
public class MyFormatter {
private static DecimalFormat df;
static {
df = new DecimalFormat("#,###,##0.00");
DecimalFormatSymbols otherSymbols = new DecimalFormatSymbols(Locale.ENGLISH);
otherSymbols.setDecimalSeparator('.');
otherSymbols.setGroupingSeparator(',');
df.setDecimalFormatSymbols(otherSymbols);
}
public static <T extends Number> String format(T number) {
if (Integer.isAssignableFrom(number.getClass())
return number.toString();
return df.format(number);
}
}
那么你可以做这样的事情: MyFormatter.format(int)
等。
文章来源: Java: Use DecimalFormat to format doubles and integers but keep integers without a decimal separator