C C++中float和double的区别
为了表示浮点数,我们使用 float
、 double
和 long double
。
float和double有什么不同?
double
的精度比浮点数(float)高 2 倍。
float
是一个 32 位 IEEE 754 单精度浮点数,符号位为 1 位,(指数为 8 位,数值为 23 _),即float
具有 7 个十进制数字的精度。
double
是 64 位 IEEE 754 双精度浮点数(符号 1 位,指数 11 位,值 52 _ 位),即 double
具有 15 位十进制精度。
举个例子:
对于二次方程 x2 – 4.0000000 x + 3.9999999 = 0,10 位有效数字的精确根为 r1 = 2.000316228 和 r2 = 1.999683772
// C program to demonstrate
// double and float precision values
#include <stdio.h>
#include <math.h>
// utility function which calculate roots of
// quadratic equation using double values
void double_solve(double a, double b, double c){
double d = b*b - 4.0*a*c;
double sd = sqrt(d);
double r1 = (-b + sd) / (2.0*a);
double r2 = (-b - sd) / (2.0*a);
printf("%.5ft%.5fn", r1, r2);
}
// utility function which calculate roots of
// quadratic equation using float values
void float_solve(float a, float b, float c){
float d = b*b - 4.0f*a*c;
float sd = sqrtf(d);
float r1 = (-b + sd) / (2.0f*a);
float r2 = (-b - sd) / (2.0f*a);
printf("%.5ft%.5fn", r1, r2);
}
// driver program
int main(){
float fa = 1.0f;
float fb = -4.0000000f;
float fc = 3.9999999f;
double da = 1.0;
double db = -4.0000000;
double dc = 3.9999999;
printf("roots of equation x2 - 4.0000000 x + 3.9999999 = 0 are : n");
printf("for float values: n");
float_solve(fa, fb, fc);
printf("for double values: n");
double_solve(da, db, dc);
return 0;
}
运行结果如下:
roots of equation x2 - 4.0000000 x + 3.9999999 = 0 are :
for float values:
2.00000 2.00000
for double values:
2.00032 1.99968