如何在C中四舍五入浮点值(如37.777779)到小数点后两位(37.78)?
当前回答
这个宏用于浮点数四舍五入。 把它添加到你的头文件中
#define ROUNDF(f, c) (((float)((int)((f) * (c))) / (c)))
这里有一个例子:
float x = ROUNDF(3.141592, 100)
X = 3.14:)
其他回答
这个怎么样:
float value = 37.777779;
float rounded = ((int)(value * 100 + .5) / 100.0);
printf("%.2f", 37.777779);
如果你想写入C-string:
char number[24]; // dummy size, you should take care of the size!
sprintf(number, "%.2f", 37.777779);
这个宏用于浮点数四舍五入。 把它添加到你的头文件中
#define ROUNDF(f, c) (((float)((int)((f) * (c))) / (c)))
这里有一个例子:
float x = ROUNDF(3.141592, 100)
X = 3.14:)
此函数接受数字和精度,并返回四舍五入后的数字
float roundoff(float num,int precision)
{
int temp=(int )(num*pow(10,precision));
int num1=num*pow(10,precision+1);
temp*=10;
temp+=5;
if(num1>=temp)
num1+=10;
num1/=10;
num1*=10;
num=num1/pow(10,precision+1);
return num;
}
它通过左移浮点数并检查大于5的条件将浮点数转换为int。
为此,始终使用printf系列函数。即使你想获得浮点值,你最好使用snprintf以字符串形式获得四舍五入的值,然后用atof解析它:
#include <math.h>
#include <stdio.h>
#include <stddef.h>
#include <stdlib.h>
double dround(double val, int dp) {
int charsNeeded = 1 + snprintf(NULL, 0, "%.*f", dp, val);
char *buffer = malloc(charsNeeded);
snprintf(buffer, charsNeeded, "%.*f", dp, val);
double result = atof(buffer);
free(buffer);
return result;
}
我这么说是因为目前投票最多的答案和其他几个答案所显示的方法- 乘以100,四舍五入到最接近的整数,然后再除以100——在两个方面有缺陷:
对于某些值,由于浮点数的不精确性,它会向错误的方向四舍五入,因为乘以100会将决定四舍五入方向的十进制数字从4更改为5,反之亦然 对于某些值,乘以再除以100并不会发生往返,这意味着即使没有发生舍入,最终结果也会是错误的
为了说明第一种错误-舍入方向有时是错误的-试着运行这个程序:
int main(void) {
// This number is EXACTLY representable as a double
double x = 0.01499999999999999944488848768742172978818416595458984375;
printf("x: %.50f\n", x);
double res1 = dround(x, 2);
double res2 = round(100 * x) / 100;
printf("Rounded with snprintf: %.50f\n", res1);
printf("Rounded with round, then divided: %.50f\n", res2);
}
你会看到这样的输出:
x: 0.01499999999999999944488848768742172978818416595459
Rounded with snprintf: 0.01000000000000000020816681711721685132943093776703
Rounded with round, then divided: 0.02000000000000000041633363423443370265886187553406
请注意,我们开始时的值小于0.015,因此当四舍五入到小数点后两位时,数学上的正确答案是0.01。当然,0.01不能精确地表示为二重数,但我们期望我们的结果是最接近0.01的二重数。使用snprintf会得到这个结果,但是使用round(100 * x) / 100会得到0.02,这是错误的。为什么?因为100 * x的结果正好是1.5。因此,乘以100将正确的方向改为四舍五入。
为了说明第二种错误——有时结果是错误的,因为* 100和/ 100不是彼此的倒数——我们可以用一个非常大的数字做类似的练习:
int main(void) {
double x = 8631192423766613.0;
printf("x: %.1f\n", x);
double res1 = dround(x, 2);
double res2 = round(100 * x) / 100;
printf("Rounded with snprintf: %.1f\n", res1);
printf("Rounded with round, then divided: %.1f\n", res2);
}
我们的数字甚至没有小数部分;它是一个整数值,只是以double类型存储。四舍五入后的结果应该和一开始的数一样,对吧?
如果你运行上面的程序,你会看到:
x: 8631192423766613.0
Rounded with snprintf: 8631192423766613.0
Rounded with round, then divided: 8631192423766612.0
哦。我们的snprintf方法再次返回正确的结果,但是先乘后舍再除的方法失败了。这是因为数学上正确的值8631192423766613.0 * 100,863119242376661300.0不能精确地表示为double;最接近的值是863119242376661248.0。当你把它除以100,你得到8631192423766612.0 -一个不同于你开始的数字。
希望这足以说明使用roundf舍入到小数点后几位是错误的,应该使用snprintf。如果你觉得这是一个可怕的黑客,也许你会放心,因为这基本上就是CPython所做的。