Javaプログラムでいくつかの数値をフォーマットしようとしています。数値はdoubleと整数の両方になります。doubleを処理する場合、小数点を2つだけ保持したいが、整数を処理する場合は、それらを影響を受けないようにするプログラム。
ダブル-入力
14.0184849945
ダブル-出力
14.01
整数-入力
13
整数-出力
13 (not 13.00)
same 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)
etc.