1. 程式人生 > >使用DecimalFormat進行數字格式化

使用DecimalFormat進行數字格式化

//獲取DecimalFormat的方法DecimalFormat.getInstance();

public static void test1(DecimalFormat df) {
		//預設顯示3位小數
		double d = 1.5555555;
		System.out.println(df.format(d));//1.556
		//設定小數點後最大位數為5
		df.setMaximumFractionDigits(5);
		df.setMinimumIntegerDigits(15);
		System.out.println(df.format(d));//1.55556
		df.setMaximumFractionDigits(2);
		System.out.println(df.format(d));//1.56
		//設定小數點後最小位數,不夠的時候補0
		df.setMinimumFractionDigits(10);
		System.out.println(df.format(d));//1.5555555500
		//設定整數部分最小長度為3,不夠的時候補0
		df.setMinimumIntegerDigits(3);
		System.out.println(df.format(d));
		//設定整數部分的最大值為2,當超過的時候會從個位數開始取相應的位數
		df.setMaximumIntegerDigits(2);
		System.out.println(df.format(d));
	}
	
	public static void test2(DecimalFormat df) {
		int number = 155566;
		//預設整數部分三個一組,
		System.out.println(number);//輸出格式155,566
		//設定每四個一組
		df.setGroupingSize(4);
		System.out.println(df.format(number));//輸出格式為15,5566
		DecimalFormatSymbols dfs = DecimalFormatSymbols.getInstance();
		//設定小數點分隔符
		dfs.setDecimalSeparator(';');
		//設定分組分隔符
		dfs.setGroupingSeparator('a');
		df.setDecimalFormatSymbols(dfs);
		System.out.println(df.format(number));//15a5566
		System.out.println(df.format(11.22));//11;22
		//取消分組
		df.setGroupingUsed(false);
		System.out.println(df.format(number));
	}
	
	public static void test3(DecimalFormat df) {
		double a = 1.220;
		double b = 11.22;
		double c = 0.22;
		//佔位符可以使用0和#兩種,當使用0的時候會嚴格按照樣式來進行匹配,不夠的時候會補0,而使用#時會將前後的0進行忽略
		//按百分比進行輸出
//		df.applyPattern("00.00%");
		df.applyPattern("##.##%");
		System.out.println(df.format(a));//122%
		System.out.println(df.format(b));//1122%
		System.out.println(df.format(c));//22%
		double d = 1.22222222;
		//按固定格式進行輸出
		df.applyPattern("00.000");
		System.out.println(df.format(d));//01.222
		df.applyPattern("##.###");
		System.out.println(df.format(d));//1.222
	}