如果只跟踪0,则使用printf格式化不带小数位的浮点数

时间:2012-03-09 03:46:14

标签: c printf

是否可以在C中格式化浮点数,如果使用printf与0不同,是否只显示最多2位小数?

例如:

12 => 12

12.1 => 12.1

12.12 => 12.12

我尝试使用:

float f = 12;
printf("%.2f", f)

但我得到

12 => 12.00

12.1 => 12.10

12.12 => 12.12

3 个答案:

答案 0 :(得分:52)

您可以使用%g格式说明符:

#include <stdio.h>

int main() {
  float f1 = 12;
  float f2 = 12.1;
  float f3 = 12.12;
  float f4 = 12.1234;
  printf("%g\n", f1);
  printf("%g\n", f2);
  printf("%g\n", f3);
  printf("%g\n", f4);
  return 0;
}

结果:

12
12.1
12.12
12.1234

请注意,与f格式说明符不同,如果您在g之前指定一个数字,则表示整个数字的长度(不是小数位数)和f一样的地方。

答案 1 :(得分:7)

根据我们在上面的答案中的讨论,我的程序适用于小数点前的任意位数。

#include <stdio.h>
#include <stdlib.h>
#include <string.h>

int main() {
    float f1 = 12.13;
    float f2 = 12.245;
    float f3 = 1242.145;
    float f4 = 1214.1;

    int i = 0;
    char *s1 = (char *)(malloc(sizeof(char) * 20));
    char *s2 = (char *)(malloc(sizeof(char) * 20));

    sprintf(s1, "%f", f1);
    s2 = strchr(s1, '.');
    i = s2 - s1;
    printf("%.*g\n", (i+2), f1);

    sprintf(s1, "%f", f2);
    s2 = strchr(s1, '.');
    i = s2 - s1;
    printf("%.*g\n", (i+2), f2);

    sprintf(s1, "%f", f3);
    s2 = strchr(s1, '.');
    i = s2 - s1;
    printf("%.*g\n", (i+2), f3);

    sprintf(s1, "%f", f4);
    s2 = strchr(s1, '.');
    i = s2 - s1;
    printf("%.*g\n", (i+2), f4);

    free(s1);
    free(s2);

    return 0;
}

这是输出

12.13
12.24
1242.15
1214.1

答案 2 :(得分:6)

对于它的价值,这是一个简单的ObjC实现:

// Usage for Output   1 — 1.23
[NSString stringWithFormat:@"%@ — %@", [self stringWithFloat:1], 
                                       [self stringWithFloat:1.234];

// Checks if it's an int and if not displays 2 decimals.
+ (NSString*)stringWithFloat:(CGFloat)_float
{
    NSString *format = (NSInteger)_float == _float ? @"%.0f" : @"%.2f";
    return [NSString stringWithFormat:format, _float];
}

%g不是为我做的 - 这一个是:-)希望它对你们中的一些人有用。