在不同的方法中,使用类似c的格式化字符串、使用精度参数以及使用数学库中的round()函数是很重要的。让我们逐个来看。带有正确语法和代码示例。
使用格式化字符串在c语言中,我们使用printf()函数来表示带有格式的打印。要使用printf()函数显示一些数据,需要事先指定格式化字符串。相同的printf()函数也适用于c++。要以特定的小数位数表示数字,格式化语法将如下所示
语法printf 语句的语法。
printf ( “%.<number of decimal place>f”, <floating point number> );
例如,如果我们想要显示一个浮点数变量num,保留4位小数,语句将会是这样的 -
printf ( “%.4f”, num );
example 的中文翻译为:示例#include <iostream>using namespace std;void solve( float number) { printf ( %.3f, number );}int main(){ cout << number 45.278586 up to 3 decimal places: ; solve( 45.278586 );}
输出number 45.278586 up to 3 decimal places: 45.279
在这个例子中,我们可以看到给定的数字有6位小数。但是我们只显示到3位小数。并且在四舍五入时会自动转换为最接近的值。然而,这个过程有一个缺点。我们不能在任意时刻动态地改变小数位的值。为了克服这个问题,我们可以使用基于c++的setprecision()方法采用另一种方法。
使用setprecision方法c++有一个特殊的格式化函数,名为setprecision(),用于设置精度值,最多保留n位小数。要使用这个方法,我们需要导入iomanip库。还需要指定我们使用固定的小数位数。语法如下所示:
语法定义set precision()方法
include <iomanip>std::cout << std::fixed;std::cout << std::setprecision( <number of decimal places> );std::cout << the_floating_point_number;
例如,如果我们想要显示一个浮点数变量num,保留4位小数,语句将会是这样的 -
include <iomanip>std::cout << std::fixed;std::cout << std::setprecision( 4 );std::cout << num;
example 的中文翻译为:示例#include <iostream>#include <iomanip>using namespace std;void solve( float number, int place) { cout << fixed; cout << setprecision( place ); cout << number << endl;}int main(){ cout << number 45.278586 up to 3 decimal places: ; solve( 45.278586, 3); cout << number 45.278586 up to 4 decimal places: ; solve( 45.278586, 4); cout << number 45.278586 up to 5 decimal places: ; solve( 45.278586, 5);}
输出number 45.278586 up to 3 decimal places: 45.279number 45.278586 up to 4 decimal places: 45.2786number 45.278586 up to 5 decimal places: 45.27859
这是一种理想的表示小数点后n位数的方法。有时候当n = 0时,我们可以使用另一种方法来四舍五入。这将把数字转换为整数。具体方法如下所示 −
使用round()方法“cmath”库有一个 round() 方法将数字转换为其最接近的整数。所以这是将浮点数转换为小数点后 0 位。语法如下。
语法使用 round() 方法
include <cmath>float res = round ( <floating point number> );
例如,如果我们想将数字45.254四舍五入到最近的整数,语句将如下所示。
include <cmath>float res = round ( 45.254 );std::cout << res;
example 的中文翻译为:示例#include <iostream>#include <cmath>using namespace std;void solve( float number) { float res; res = round ( number ); cout << res << endl;}int main(){ cout << number 45.278586 to its nearest integer: ; solve( 45.278586 ); cout << number 89.7854 to its nearest integer: ; solve( 89.7854 ); cout << number -45.69 to its nearest integer: ; solve( -45.69 );}
输出number 45.278586 to its nearest integer: 45number 89.7854 to its nearest integer: 90number -45.69 to its nearest integer: -46
在这个例子中,很明显将浮点数转换为最接近的整数,合适且简单的方法是使用round()函数。该函数以数字作为参数,并返回整数等价物。在我们的例子中,有一个负数-45.69,在将其四舍五入后,变成了-46,这个数比原来小。所以round()方法不像floor()或ceil()。
结论当我们用 c++ 编写代码时,表示最多 n 位小数的浮点数的方法很少。最基本的方法是使用 printf() 方法和格式化字符串。但是,对于此方法,无法动态更改格式字符串小数位。为了处理这个问题,c++ iomanip 库有 set precision() 方法,该方法获取浮点数四舍五入的小数位数。有时我们需要将浮点数舍入为最接近的整数(小数点后 0 位),在这种情况下,我们可以使用 c++ 中 cmath 库中的 round() 方法。
以上就是c++程序将一个数字四舍五入到n位小数的详细内容。
