double四舍五入保留2位javajava
时间: 2023-07-17 18:01:55 浏览: 70
你可以使用Java中的DecimalFormat类来实现四舍五入并保留两位小数。以下是一个示例代码:
```java
import java.text.DecimalFormat;
public class Main {
public static void main(String[] args) {
double number = 3.14159;
DecimalFormat df = new DecimalFormat("#.##");
String formattedNumber = df.format(number);
double roundedNumber = Double.parseDouble(formattedNumber);
System.out.println(roundedNumber);
}
}
```
在上述代码中,我们首先创建了一个DecimalFormat对象,使用模式字符串`"#.##"`来指定保留两位小数。然后,我们使用format()方法将原始的double类型数值转换为格式化字符串。最后,使用Double.parseDouble()方法将格式化字符串转换回double类型,并打印输出结果。
输出结果将是:3.14
相关问题
java double四舍五入保留2位小数
在 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` 形式以得到精确到两位的结果。
java double 四舍五入保留两位小数
Java中可以使用DecimalFormat类来实现四舍五入并保留指定位数的小数。以下是示例代码:
```java
double num = 3.1415926;
DecimalFormat df = new DecimalFormat("#.##"); // 设置保留两位小数
double result = Double.parseDouble(df.format(num)); // 将格式化后的字符串转换为double类型
System.out.println(result); // 输出结果为 3.14
```
在这个示例中,我们将需要四舍五入的数字num设置为3.1415926。然后我们创建了一个DecimalFormat对象,使用"#.##"的格式指定了需要保留两位小数。最后,我们使用format方法将num格式化为字符串,并使用Double.parseDouble方法将其转换为double类型。
阅读全文