一、Math.round()方法实现四舍五入
Java Math库提供了一个直接的方法Math.round(),可以实现基本数据类型(float, double, long, int)、BigDecimal、BigInteger的四舍五入处理。其中,float类型和double类型的四舍五入处理是基于舍入到最近一位的规则。
public static long round(double a) public static int round(float a)
返回一个long或int类型的值,表示参数a最接近的整数。如果a等于两个整数的中间值,则返回偶数(即四舍五入)。例如:
long result1 = Math.round(43.5);//44 long result2 = Math.round(43.499);//43 int result3 = Math.round(43.49F);//43 int result4 = Math.round(43.51F);//44
二、实现自定义级别的四舍五入
有时候,我们需要实现不同精度级别的四舍五入操作。这时候可以使用如下方法:
public static double round(double value, int places) { if (places < 0) throw new IllegalArgumentException(); BigDecimal bd = new BigDecimal(value); bd = bd.setScale(places, RoundingMode.HALF_UP); return bd.doubleValue(); }
其中,value为被处理的参数,places为要保留的小数点后位数。例如:
double result1 = round(1.234, 2);//1.23 double result2 = round(1.236, 2);//1.24 double result3 = round(1.234, 3);//1.234 double result4 = round(1.236, 3);//1.236
三、自己手写四舍五入逻辑实现
如果需要实现特定的四舍五入逻辑,可以自己编写代码实现。下面的代码实现了根据小数点后一位是否大于等于5来进行舍入处理的逻辑。
public static double myRound(double num) { double temp = num * 10; long result = Math.round(temp); return result / 10.0; }
例如:
double result1 = myRound(1.234);//1.2 double result2 = myRound(1.237);//1.2 double result3 = myRound(1.236);//1.2 double result4 = myRound(1.239);//1.2
四、结语
Java Math库提供了基本数据类型、BigDecimal、BigInteger的四舍五入实现方法,并且可以方便地实现自定义精度级别的四舍五入逻辑。如果需要实现特定的四舍五入逻辑,可以根据要求自己手写代码实现。