C++ rint() 函数使用方法及示例

C++ 库函数 <cmath>

C ++中的rint()函数使用当前的舍入模式将参数舍入为整数值。当前的舍入模式由函数fesetround()确定。

rint()原型[从C ++ 11标准开始]

double rint(double x);
float rint(float x);
long double rint(long double x);
double rint(T x); //为整型

rint()函数采用单个参数,并返回double,float或long double类型的值。此函数在<cmath>头文件中定义。

rint()参数

rint()函数采用单个参数值取整。

rint()返回值

rint()函数使用fegetround()指定的舍入方向将参数x舍入为整数值,并返回该值。默认情况下,舍入方向设置为“最接近”。可以使用fesetround()函数将舍入方向设置为其他值。

示例1:rint()如何在C ++中工作?

#include <iostream>
#include <cmath>
#include <cfenv>
using namespace std;

int main()
{
    //默认情况下,舍入方向为最接近的方向,即fesetround(FE_TONEAREST)
    double x = 11.87, result;
    result = rint(x);
    cout << "四舍五入到最近 (" << x << ") = " << result << endl;
    
    //中间值取较高值
    x = 11.5;
    result = rint(x);
    cout << "四舍五入到最近 (" << x << ") = " << result << endl;

    // 将舍入方向设置为DOWNWARD
    fesetround(FE_DOWNWARD);
    x = 11.87;
    result = rint(x);
    cout << "向下舍入 (" << x << ") = " << result << endl;
    
    // 将舍入方向设置为UPWARD
    fesetround(FE_UPWARD);
    x = 33.32;
    result = rint(x);
    cout << "向上舍入 (" << x << ") = " << result << endl;
    
    return 0;
}

运行该程序时,输出为:

四舍五入到最近 (11.87) = 12
四舍五入到最近 (11.5) = 12
向下舍入 (11.8699) = 11
向上舍入 (33.3201) = 34

示例2:整数类型的rint()函数

#include <iostream>
#include <cmath>
#include <cfenv>
using namespace std;

int main()
{
    int x = 15;
    double result;
    
    // 将舍入方向设置为DOWNWARD
    fesetround(FE_DOWNWARD);
    result = rint(x);
    cout << "向下舍入 (" << x << ") = " << result << endl;

    return 0;
}

运行该程序时,输出为:

向下舍入 (15) = 15

对于整数值,应用rint函数将返回与输入相同的值。因此,在实践中,它通常不用于积分值。

C++ 库函数 <cmath>