一、方式1
在C语言中,浮点数(通常包括 float 和 double 类型)的打印是通过标准库中的 printf 函数完成的。为了正确地打印浮点数,需要使用格式说明符来指定如何格式化输出。
#include <stdio.h>
int main(void)
{
float f = 3.14159f;
double d = 2.718281828459045;
// 打印浮点数,保留两位小数
printf("Float with 2 decimal places: %.2f\n", f);
// 打印浮点数,宽度为10,右对齐,保留两位小数
printf("Float right-aligned, width 10: %10.2f\n", f);
// 打印浮点数,使用科学记数法
printf("Float in scientific notation: %e\n", f);
// 打印双精度浮点数,保留5位小数
printf("Double with 5 decimal places: %.5f\n", d);
return 0;
}
测试结果:
二、方式2
不使用标准库中的 printf 函数的话,可以使用sprintf函数转为字符串。
#include <stdio.h>
int main(void)
{
char buf[10]={0};
float test = 3.14159;
//sprintf(buf, "%d.%5d", (int)test, (int)(test*100000));
//sprintf(buf, "%d.%5d", (int)test, (int)((test-(int)test)*100000));
sprintf(buf, "%d.%d", (int)test, (int)((test-(int)test)*100000));
printf("test:%s \r\n",buf);
return 0;
}
测试结果:
三、方式3
不使用标准库中的 printf 函数的话,可以把浮点拆解成两个部分,整数部分和小数部分。
#include <stdio.h>
int main(void)
{
float test = 3.14159;
__uint8_t u8Value = (__uint8_t)test;
__uint16_t fValue = (test - u8Value)*100000;
printf("u8Value:%d fValue:%d \r\n",u8Value,fValue);
printf("test:%d.%d \r\n",u8Value,fValue);
return 0;
}
测试结果:
或者
使用 modf 函数 或者 modff 函数。
#include <stdio.h>
#include <math.h>
int main(void)
{
float test=3.14159;
double intpart; //为变量赋初值
double fractpart = modf(test, &intpart); //求3.1415的小数部分
printf("intpart: %lf fractpart: %lf\r\n", intpart, fractpart);
float intpart2; //为变量赋初值
float fractpart2 = modff(test, &intpart2); //求3.1415的小数部分
printf("intpart2: %f fractpart2: %lf\r\n", intpart2, fractpart2);
return 0;
}