java之保留几位小数的几种方式及添加千位分隔符

package decimal;

import java.math.BigDecimal;
import java.text.DecimalFormat;
import java.text.NumberFormat;

/**
 * java之保留几位小数的几种方式及添加千位分隔符
 * 

ClassName: TestDecimal

*

Description: 保留几位小数

*

Author: Administrator

*

Date: 2016年4月26日

*/
public class TestDecimal { public static void main(String[] args) { //方式一 小数位数不足4位者有几位就是几位,多于4位者仅留4位 double dd1 = 911.911; double dd2 = 911.911911; DecimalFormat df = new DecimalFormat("#.0000"); dd1 = Double.parseDouble(df.format(dd1)); dd2 = Double.parseDouble(df.format(dd2)); System.out.println(dd1); System.out.println(dd2); System.out.println("////////"); //方式二 小数位数不足4位者用0补全,多于4位者仅留4位 double ds1 = 911.911; double ds2 = 911.911911; String result1 = String.format("%.4f",ds1); String result2 = String.format("%.4f",ds2); System.out.println(result1); System.out.println(result2); System.out.println("////////"); //方式三 小数位数不足4位者有几位就是几位,多于4位者仅留4位,并四舍五入 double db1 = 911.911; double db2 = 911.91186; BigDecimal bd1 = new BigDecimal(db1); BigDecimal bd2 = new BigDecimal(db2); db1 = bd1.setScale(4, BigDecimal.ROUND_HALF_UP).doubleValue(); db2 = bd2.setScale(4, BigDecimal.ROUND_HALF_UP).doubleValue(); System.out.println(db1); System.out.println(db2); System.out.println("////////"); //方式四 小数位数不足4位者有几位就是几位,多于4位者仅留4位 double dn1 =911.911; double dn2 =911.911911; NumberFormat nf = NumberFormat.getNumberInstance(); nf.setMaximumFractionDigits(4); String str1 = nf.format(dn1); String str2 = nf.format(dn2); System.out.println(str1); System.out.println(str2); System.out.println("////////"); //添加千位分隔符 double n = 1000.3; DecimalFormat df2 = new DecimalFormat("#,###.00"); String m = df2.format(n); System.out.print(m); } }

运行结果:
911.911
911.9119
////////
911.9110
911.9119
////////
911.911
911.9119
////////
911.911
911.9119
////////
1,000.30

你可能感兴趣的:(JAVA)