在此程序中,您将学习在Java中将给定数字四舍五入到小数点后n位。
public class Decimal { public static void main(String[] args) { double num = 1.34567; System.out.format("%.4f", num); } }
运行该程序时,输出为:
1.3457
在上面的程序中,我们使用format()方法将给定的浮点数打印num到4个小数位。.4f格式表示小数点后4位.
这意味着,最多只能在点后打印4个位置(小数位),f表示打印浮点数。
import java.math.RoundingMode; import java.text.DecimalFormat; public class Decimal { public static void main(String[] args) { double num = 1.34567; DecimalFormat df = new DecimalFormat("#.###"); df.setRoundingMode(RoundingMode.CEILING); System.out.println(df.format(num)); } }
运行该程序时,输出为:
1.346
在上面的程序中,我们使用DecimalFormatclass来舍入给定的数字num。
我们使用#,模式声明格式 #.###。这意味着,我们希望num最多3个小数位。我们还将舍入模式设置为Ceiling,这将导致最后一个给定的位置被舍入为下一个数字。
因此,将1.34567舍入到小数点后3位将打印1.346,第6位是第3位小数点5的下一个数字。