Java如何用十进制表示“1.275”到“1.28”

How to express "1.275" to "1.28" with Decimal Format in Java

DecimalFormat decimalFormat = new DecimalFormat();
decimalFormat.setRoundingMode(RoundingMode.HALF_UP);
decimalFormat.applyPattern(".00");

System.out.print(decimalFormat.format(63.275));
// output : 63.27

System.out.print(decimalFormat.format(64.275));
// output : 64.28

为什么不同?

63.275的值在电脑中记录为63.27499999999999857891452847979962825775146484375。根据 Java API 文档“https://docs.oracle.com/javase/8/docs/api/java/math/RoundingMode.html#HALF_UP”如果丢弃的分数≥0.5,则表现与 RoundingMode.UP 相同;否则,行为与 RoundingMode.DOWN 相同。 所以,

63.27499999999999857891452847979962825775146484375 ~ 63.27
64.275000000000005684341886080801486968994140625 ~ 64.28
public static double roundByPlace(double number, int scale){
    BigDecimal bigDecimal = BigDecimal.valueOf(number);
    String pattern = "0.";
    for(int i = 0; i<scale; i++){
        pattern = pattern+"0";
    }
    DecimalFormat decimalFormat = new DecimalFormat(pattern);
    decimalFormat.setRoundingMode(RoundingMode.HALF_UP);
    double result = Double.parseDouble(decimalFormat.format(bigDecimal));
    return result;
}