Java: Use DecimalFormat to format doubles and integers but keep integers without a decimal separator

前端 未结 2 913
孤城傲影
孤城傲影 2020-12-17 10:23

I\'m trying to format some numbers in a Java program. The numbers will be both doubles and integers. When handling doubles, I want to keep only two decimal points but when h

相关标签:
2条回答
  • 2020-12-17 11:13

    You can just set the minimumFractionDigits to 0. Like this:

    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);
        }
    
    }
    
    0 讨论(0)
  • 2020-12-17 11:21

    Could you not just wrapper this into a Utility call. For example

    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);
      }
    }
    

    You can then just do things like: MyFormatter.format(int) etc.

    0 讨论(0)
提交回复
热议问题