1. 使用java.math.BigDecimal
2. 使用java.text.DecimalFormat
3. 使用java.text.NumberFormat
4. 使用java.util.Formatter
5. 使用String.format
複製程式碼
下面來看看詳細的介紹。
一、使用BigDecimal,保留小數點後兩位
public static String format1(double value) {
BigDecimal bd = new BigDecimal(value);
bd = bd.setScale(2, RoundingMode.HALF_UP);
return bd.toString();
}
複製程式碼
二、使用DecimalFormat,保留小數點後兩位
public static String format2(double value) {
DecimalFormat df = new DecimalFormat("0.00");
df.setRoundingMode(RoundingMode.HALF_UP);
return df.format(value);
}
複製程式碼
三、使用NumberFormat,保留小數點後兩位
public static String format3(double value) {
NumberFormat nf = NumberFormat.getNumberInstance();
nf.setMaximumFractionDigits(2);
/** setMinimumFractionDigits設定成 如果不這麼做,那麼當value的值是100.00的時候返回100 * * 而不是100.00 */
nf.setMinimumFractionDigits(2);
nf.setRoundingMode(RoundingMode.HALF_UP);
/** 如果想輸出的格式用逗號隔開,可以設定成true */
nf.setGroupingUsed(false);
return nf.format(value);
}
複製程式碼
四、使用java.util.Formatter,保留小數點後兩位
public static String format4(double value) {
/** %.2f % 表示 小數點前任意位數 2 表示兩位小數 格式後的結果為 f 表示浮點型 */
return new Formatter().format("%.2f", value).toString();
}
複製程式碼
五、使用String.format來實現。
public static String format5(double value) {
return String.format("%.2f", value).toString();
}
複製程式碼
擴充套件知識
String.format 作為文字處理工具,為我們提供強大而豐富的字串格式化功能。
對浮點數進行格式化
佔位符格式為: %[index$][標識]*[最小寬度][.精度]轉換符
double num = 123.4567899;
System.out.print(String.format("%f %n", num)); // 123.456790
System.out.print(String.format("%a %n", num)); // 0x1.edd3c0bb46929p6
System.out.print(String.format("%g %n", num)); // 123.457
可用標識:
-,在最小寬度內左對齊,不可以與0標識一起使用。
0,若內容長度不足最小寬度,則在左邊用0來填充。
#,對8進位制和16進位制,8進位制前新增一個0,16進位制前新增0x。
+,結果總包含一個+或-號。
空格,正數前加空格,負數前加-號。
,,只用與十進位制,每3位數字間用,分隔。
(,若結果為負數,則用括號括住,且不顯示符號。
可用轉換符:
b,布林型別,只要實參為非false的布林型別,均格式化為字串true,否則為字串false。
n,平臺獨立的換行符, 也可通過System.getProperty("line.separator")獲取。
f,浮點數型(十進位制)。顯示9位有效數字,且會進行四捨五入。如99.99。
a,浮點數型(十六進位制)。
e,指數型別。如9.38e+5。
g,浮點數型(比%f,%a長度短些,顯示6位有效數字,且會進行四捨五入)
```
複製程式碼