C++ 控制cout输出的小数位数

方法一:

使用setprecision(n)与setiosflags(ios::fixed)合用,可以控制小数点右边的数字个数,头文件 #include

setiosflags 是包含在命名空间iomanip 中的C++ 操作符,该操作符的作用是执行由有参数指定区域内的动作;

  • iso::fixed 是操作符setiosflags 的参数之一,该参数指定的动作是以带小数点的形式表示浮点数,并且在允许的精度范围内尽可能的把数字移向小数点右侧;
  • iso::right 也是setiosflags 的参数,该参数的指定作用是在指定区域内右对齐输出;

setprecision 也是包含在命名空间iomanip 中的C++ 操作符,该操作符的作用是设定浮点数;

  • setprecision(2) 的意思就是小数点输出的精度,即是小数点右面的数字的个数为2。
cout<

方法二:

C++中的cout.setf()、cout.precision(),ostream成员函数里面的,也可以用输出流操作符来控制;

#include 
#include  
using namespace std;
int main()
{
	cout << "test 1 =======" << endl;
	double f = 3.1415926535;
	cout << f << endl; // 3.14159
	cout << setiosflags(ios::fixed); //只有在这项设置后,setprecision才是设置小数的位数。
	cout << setprecision(0) << f << endl; //输出0位小数,3
	cout << setprecision(1) << f << endl; //输出1位小数,3.1
	cout << setprecision(2) << f << endl; //输出2位小数,3.14
	cout << setprecision(3) << f << endl; //输出3位小数,3.142
	cout << setprecision(4) << f << endl; //输出4位小数,3.1416

	cout << "test 2 =======" << endl;
	//cout.setf跟setiosflags一样,cout.precision跟setprecision一样
	float a = 0.546732333;
	float b = 3.563768245;
	cout << a << endl;
	cout << b << endl;
	cout.setf(ios::fixed);
	cout.precision(3);
	cout << a << endl;
	cout << b << endl;
	cout.precision(1);
	cout << a << endl;
	cout << b << endl;
	return 0;
}
test 1 =======
3.14159
3
3.1
3.14
3.142
3.1416
test 2 =======
0.5467
3.5638
0.547
3.564
0.5
3.6
请按任意键继续. . .

补充:

#include  
这里面iomanip的作用比较多: 
主要是对cin,cout之类的一些操纵运算子,比如setfill,setw,setbase,setprecision等等。它是I/O流控制头文 件,就像C里面的格式化输出一样.以下是一些常见的控制函数的: 

  • dec 置基数为10 相当于"%d" 
  • hex 置基数为16 相当于"%X" 
  • oct 置基数为8 相当于"%o" 
  • setfill(c) 设填充字符为c 
  • setprecision(n) 设显示小数精度为n位 
  • setw(n) 设域宽为n个字符 
  • 这个控制符的意思是保证输出宽度为n。如: cout<
  • setioflags(ios::fixed) 固定的浮点显示 
  • setioflags(ios::scientific) 指数表示 
  • setiosflags(ios::left) 左对齐 
  • setiosflags(ios::right) 右对齐 
  • setiosflags(ios::skipws 忽略前导空白 
  • setiosflags(ios::uppercase) 16进制数大写输出 
  • setiosflags(ios::lowercase) 16进制小写输出 
  • setiosflags(ios::showpoint) 强制显示小数点 
  • setiosflags(ios::showpos) 强制显示符号 

你可能感兴趣的:(C/C++编程)