java double四舍五入保留2位小数
时间: 2024-08-16 12:02:40 浏览: 48
在 Java 中,如果你想将 `double` 类型的数值四舍五入到两位小数,你可以使用 `java.text.DecimalFormat` 或者简单的算术运算结合 `Math.pow()` 和 `Math.round()` 方法。以下是两种常见的方式:
1. 使用 `DecimalFormat` 对象进行格式化:
```java
import java.text.DecimalFormat;
public class Main {
public static void main(String[] args) {
double num = 3.14159;
DecimalFormat df = new DecimalFormat("0.00");
String roundedNum = df.format(num);
System.out.println(roundedNum); // 输出 "3.14"
}
}
```
这里,`"0.00"` 是模式字符串,它告诉 `DecimalFormat` 保留两位小数。
2. 如果只需要简单操作,可以先乘以 100 再取整再除以 100:
```java
public class Main {
public static void main(String[] args) {
double num = 3.14159;
int roundedInt = (int) Math.round(num * 100);
double roundedNum = (double) roundedInt / 100;
System.out.println(roundedNum); // 输出 "3.14"
}
}
```
这里的 `Math.round()` 会直接对浮点数进行四舍五入,并转换成整数,然后再次转换回 `double` 形式以得到精确到两位的结果。
阅读全文