代码之家  ›  专栏  ›  技术社区  ›  Gorpik

在printf()中避免尾随零

  •  99
  • Gorpik  · 技术社区  · 16 年前

    我一直在为printf()系列函数指定格式。我想要的是能够打印一个双精度(或浮点型),在小数点后有一个给定的最大位数。如果我使用:

    printf("%1.3f", 359.01335);
    printf("%1.3f", 359.00999);
    

    我得到

    359.013
    359.010
    

    而不是期望的

    359.013
    359.01
    

    有人能帮我吗?

    12 回复  |  直到 6 年前
        1
  •  78
  •   paxdiablo    9 年前

    正常情况下不能这样做 printf 格式说明符。你能得到的最接近的是:

    printf("%.6g", 359.013); // 359.013
    printf("%.6g", 359.01);  // 359.01
    

    但是“.6”是 全部的 数字宽度So

    printf("%.6g", 3.01357); // 3.01357
    

    打破它。

    你什么 可以 做的是 sprintf("%.20g") 然后,将该数字转换为字符串缓冲区,操作该字符串使其只包含超过小数点N个字符。

    假设您的数字在变量num中,下面的函数将删除除第一个以外的所有内容 N 小数,然后去掉尾随的零(如果都是零,则去掉小数点)。

    char str[50];
    sprintf (str,"%.20g",num);  // Make the number.
    morphNumericString (str, 3);
    :    :
    void morphNumericString (char *s, int n) {
        char *p;
        int count;
    
        p = strchr (s,'.');         // Find decimal point, if any.
        if (p != NULL) {
            count = n;              // Adjust for more or less decimals.
            while (count >= 0) {    // Maximum decimals allowed.
                 count--;
                 if (*p == '\0')    // If there's less than desired.
                     break;
                 p++;               // Next character.
            }
    
            *p-- = '\0';            // Truncate string.
            while (*p == '0')       // Remove trailing zeros.
                *p-- = '\0';
    
            if (*p == '.') {        // If all decimals were zeros, remove ".".
                *p = '\0';
            }
        }
    }
    

    如果您对截断方面不满意(这将使 0.12399 进入之内 0.123 而不是四舍五入 0.124 ,您实际上可以使用 普林特 . 您只需要先分析数字,然后再手动动态创建宽度,然后使用这些宽度将数字转换为字符串:

    #include <stdio.h>
    
    void nDecimals (char *s, double d, int n) {
        int sz; double d2;
    
        // Allow for negative.
    
        d2 = (d >= 0) ? d : -d;
        sz = (d >= 0) ? 0 : 1;
    
        // Add one for each whole digit (0.xx special case).
    
        if (d2 < 1) sz++;
        while (d2 >= 1) { d2 /= 10.0; sz++; }
    
        // Adjust for decimal point and fractionals.
    
        sz += 1 + n;
    
        // Create format string then use it.
    
        sprintf (s, "%*.*f", sz, n, d);
    }
    
    int main (void) {
        char str[50];
        double num[] = { 40, 359.01335, -359.00999,
            359.01, 3.01357, 0.111111111, 1.1223344 };
        for (int i = 0; i < sizeof(num)/sizeof(*num); i++) {
            nDecimals (str, num[i], 3);
            printf ("%30.20f -> %s\n", num[i], str);
        }
        return 0;
    }
    

    整个要点 nDecimals() 在这种情况下,要正确计算字段宽度,然后使用基于该宽度的格式字符串格式化数字。测试线束 main() 实际显示:

      40.00000000000000000000 -> 40.000
     359.01335000000000263753 -> 359.013
    -359.00999000000001615263 -> -359.010
     359.00999999999999090505 -> 359.010
       3.01357000000000008200 -> 3.014
       0.11111111099999999852 -> 0.111
       1.12233439999999995429 -> 1.122
    

    一旦有了正确的四舍五入值,就可以再次将其传递给 morphNumericString() 要通过简单更改删除尾随零,请执行以下操作:

    nDecimals (str, num[i], 3);
    

    进入:

    nDecimals (str, num[i], 3);
    morphNumericString (str, 3);
    

    (或呼叫 morphNumericString 在最后 nDecimals 但是,在这种情况下,我可能会将这两个函数组合成一个函数),最终得到:

      40.00000000000000000000 -> 40
     359.01335000000000263753 -> 359.013
    -359.00999000000001615263 -> -359.01
     359.00999999999999090505 -> 359.01
       3.01357000000000008200 -> 3.014
       0.11111111099999999852 -> 0.111
       1.12233439999999995429 -> 1.122
    
        2
  •  48
  •   Community Ian Goodfellow    7 年前

    要消除尾随零,应使用“%g”格式:

    float num = 1.33;
    printf("%g", num); //output: 1.33
    

    在问题澄清一点后,抑制零不是唯一的问题,但也需要将输出限制到小数点后三位。我认为单靠sprintf格式字符串是不能做到的。AS Pax Diablo 指出,需要进行字符串操作。

        3
  •  16
  •   TankorSmash    8 年前

    我喜欢R的回答。稍微调整一下:

    float f = 1234.56789;
    printf("%d.%.0f", f, 1000*(f-(int)f));
    

    “1000”决定精度。

    功率为0.5舍入。

    编辑

    好吧,这个答案被编辑了几次,我忘记了几年前我的想法(最初它并没有满足所有的标准)。所以这里有一个新版本(它可以填充所有条件并正确处理负数):

    double f = 1234.05678900;
    char s[100]; 
    int decimals = 10;
    
    sprintf(s,"%.*g", decimals, ((int)(pow(10, decimals)*(fabs(f) - abs((int)f)) +0.5))/pow(10,decimals));
    printf("10 decimals: %d%s\n", (int)f, s+1);
    

    测试案例:

    #import <stdio.h>
    #import <stdlib.h>
    #import <math.h>
    
    int main(void){
    
        double f = 1234.05678900;
        char s[100];
        int decimals;
    
        decimals = 10;
        sprintf(s,"%.*g", decimals, ((int)(pow(10, decimals)*(fabs(f) - abs((int)f)) +0.5))/pow(10,decimals));
        printf("10 decimals: %d%s\n", (int)f, s+1);
    
        decimals = 3;
        sprintf(s,"%.*g", decimals, ((int)(pow(10, decimals)*(fabs(f) - abs((int)f)) +0.5))/pow(10,decimals));
        printf(" 3 decimals: %d%s\n", (int)f, s+1);
    
        f = -f;
        decimals = 10;
        sprintf(s,"%.*g", decimals, ((int)(pow(10, decimals)*(fabs(f) - abs((int)f)) +0.5))/pow(10,decimals));
        printf(" negative 10: %d%s\n", (int)f, s+1);
    
        decimals = 3;
        sprintf(s,"%.*g", decimals, ((int)(pow(10, decimals)*(fabs(f) - abs((int)f)) +0.5))/pow(10,decimals));
        printf(" negative  3: %d%s\n", (int)f, s+1);
    
        decimals = 2;
        f = 1.012;
        sprintf(s,"%.*g", decimals, ((int)(pow(10, decimals)*(fabs(f) - abs((int)f)) +0.5))/pow(10,decimals));
        printf(" additional : %d%s\n", (int)f, s+1);
    
        return 0;
    }
    

    测试输出:

     10 decimals: 1234.056789
      3 decimals: 1234.057
     negative 10: -1234.056789
     negative  3: -1234.057
     additional : 1.01
    

    现在,满足所有标准:

    • 零后的最大小数位数是固定的
    • 删除尾随零
    • 它在数学上是正确的(对吗?)
    • 当第一个小数点为零时也会工作(现在)

    不幸的是,这个答案是两行的 sprintf 不返回字符串。

        4
  •  2
  •   andr Gal Mathys    11 年前

    我在字符串(最右边开始)中搜索范围中的第一个字符 1 9 (ASCII值) 49 - 57 ) null (设置为 0 )它右边的每个字符-见下文:

    void stripTrailingZeros(void) { 
        //This finds the index of the rightmost ASCII char[1-9] in array
        //All elements to the left of this are nulled (=0)
        int i = 20;
        unsigned char char1 = 0; //initialised to ensure entry to condition below
    
        while ((char1 > 57) || (char1 < 49)) {
            i--;
            char1 = sprintfBuffer[i];
        }
    
        //null chars left of i
        for (int j = i; j < 20; j++) {
            sprintfBuffer[i] = 0;
        }
    }
    
        5
  •  2
  •   Sri Harsha Chilakapati Vishal Raj    11 年前

    这样的情况怎么样(可能有舍入错误和需要调试的负值问题,留给读者作为练习):

    printf("%.0d%.4g\n", (int)f/10, f-((int)f-(int)f%10));
    

    它有点编程性,但至少它不会让您进行任何字符串操作。

        6
  •  1
  •   Iaijutsu    11 年前

    一个简单的解决方案,但它可以完成任务,分配已知的长度和精度,并避免指数格式(当使用%g时这是一个风险):

    // Since we are only interested in 3 decimal places, this function
    // can avoid any potential miniscule floating point differences
    // which can return false when using "=="
    int DoubleEquals(double i, double j)
    {
        return (fabs(i - j) < 0.000001);
    }
    
    void PrintMaxThreeDecimal(double d)
    {
        if (DoubleEquals(d, floor(d)))
            printf("%.0f", d);
        else if (DoubleEquals(d * 10, floor(d * 10)))
            printf("%.1f", d);
        else if (DoubleEquals(d * 100, floor(d* 100)))
            printf("%.2f", d);
        else
            printf("%.3f", d);
    }
    

    添加或删除“elses”,如果您希望最多2位小数、4位小数等。

    例如,如果您需要2个小数:

    void PrintMaxTwoDecimal(double d)
    {
        if (DoubleEquals(d, floor(d)))
            printf("%.0f", d);
        else if (DoubleEquals(d * 10, floor(d * 10)))
            printf("%.1f", d);
        else
            printf("%.2f", d);
    }
    

    如果要指定保持字段对齐的最小宽度,请根据需要递增,例如:

    void PrintAlignedMaxThreeDecimal(double d)
    {
        if (DoubleEquals(d, floor(d)))
            printf("%7.0f", d);
        else if (DoubleEquals(d * 10, floor(d * 10)))
            printf("%9.1f", d);
        else if (DoubleEquals(d * 100, floor(d* 100)))
            printf("%10.2f", d);
        else
            printf("%11.3f", d);
    }
    

    还可以将其转换为一个函数,在该函数中传递所需的字段宽度:

    void PrintAlignedWidthMaxThreeDecimal(int w, double d)
    {
        if (DoubleEquals(d, floor(d)))
            printf("%*.0f", w-4, d);
        else if (DoubleEquals(d * 10, floor(d * 10)))
            printf("%*.1f", w-2, d);
        else if (DoubleEquals(d * 100, floor(d* 100)))
            printf("%*.2f", w-1, d);
        else
            printf("%*.3f", w, d);
    }
    
        7
  •  1
  •   magnusviri    9 年前

    我在张贴的一些解决方案中发现了问题。我根据上面的答案把这个放在一起。这似乎对我有用。

    int doubleEquals(double i, double j) {
        return (fabs(i - j) < 0.000001);
    }
    
    void printTruncatedDouble(double dd, int max_len) {
        char str[50];
        int match = 0;
        for ( int ii = 0; ii < max_len; ii++ ) {
            if (doubleEquals(dd * pow(10,ii), floor(dd * pow(10,ii)))) {
                sprintf (str,"%f", round(dd*pow(10,ii))/pow(10,ii));
                match = 1;
                break;
            }
        }
        if ( match != 1 ) {
            sprintf (str,"%f", round(dd*pow(10,max_len))/pow(10,max_len));
        }
        char *pp;
        int count;
        pp = strchr (str,'.');
        if (pp != NULL) {
            count = max_len;
            while (count >= 0) {
                 count--;
                 if (*pp == '\0')
                     break;
                 pp++;
            }
            *pp-- = '\0';
            while (*pp == '0')
                *pp-- = '\0';
            if (*pp == '.') {
                *pp = '\0';
            }
        }
        printf ("%s\n", str);
    }
    
    int main(int argc, char **argv)
    {
        printTruncatedDouble( -1.999, 2 ); // prints -2
        printTruncatedDouble( -1.006, 2 ); // prints -1.01
        printTruncatedDouble( -1.005, 2 ); // prints -1
        printf("\n");
        printTruncatedDouble( 1.005, 2 ); // prints 1 (should be 1.01?)
        printTruncatedDouble( 1.006, 2 ); // prints 1.01
        printTruncatedDouble( 1.999, 2 ); // prints 2
        printf("\n");
        printTruncatedDouble( -1.999, 3 ); // prints -1.999
        printTruncatedDouble( -1.001, 3 ); // prints -1.001
        printTruncatedDouble( -1.0005, 3 ); // prints -1.001 (shound be -1?)
        printTruncatedDouble( -1.0004, 3 ); // prints -1
        printf("\n");
        printTruncatedDouble( 1.0004, 3 ); // prints 1
        printTruncatedDouble( 1.0005, 3 ); // prints 1.001
        printTruncatedDouble( 1.001, 3 ); // prints 1.001
        printTruncatedDouble( 1.999, 3 ); // prints 1.999
        printf("\n");
        exit(0);
    }
    
        8
  •  1
  •   nwellnhof    8 年前

    一些高投票率的解决方案建议 %g 的转换说明符 printf . 这是错误的,因为有些情况 %g 将产生科学符号。其他解决方案使用数学打印所需的小数位数。

    我认为最简单的解决办法是使用 sprintf %f 转换说明符,并手动从结果中删除尾随零和小数点。C99解决方案如下:

    #include <stdio.h>
    #include <stdlib.h>
    
    char*
    format_double(double d) {
        int size = snprintf(NULL, 0, "%.3f", d);
        char *str = malloc(size + 1);
        snprintf(str, size + 1, "%.3f", d);
    
        for (int i = size - 1, end = size; i >= 0; i--) {
            if (str[i] == '0') {
                if (end == i + 1) {
                    end = i;
                }
            }
            else if (str[i] == '.') {
                if (end == i + 1) {
                    end = i;
                }
                str[end] = '\0';
                break;
            }
        }
    
        return str;
    }
    

    请注意,用于数字和小数分隔符的字符取决于当前的区域设置。上面的代码采用C或US英语语言环境。

        9
  •  0
  •       16 年前

    这是我第一次尝试回答:

    void
    xprintfloat(char *format, float f)
    {
      char s[50];
      char *p;
    
      sprintf(s, format, f);
      for(p=s; *p; ++p)
        if('.' == *p) {
          while(*++p);
          while('0'==*--p) *p = '\0';
        }
      printf("%s", s);
    }
    

    已知错误:可能的缓冲区溢出取决于格式。如果“.”不是由于%f的原因而存在,则可能会发生错误的结果。

        10
  •  0
  •   Jim Hunziker    10 年前

    为什么不直接这么做?

    double f = 359.01335;
    printf("%g", round(f * 1000.0) / 1000.0);
    
        11
  •  0
  •   Cœur N0mi    6 年前

    上面略有变化:

    1. 消除了案例周期(10000.0)。
    2. 在处理第一个期间后中断。

    代码在这里:

    void EliminateTrailingFloatZeros(char *iValue)
    {
      char *p = 0;
      for(p=iValue; *p; ++p) {
        if('.' == *p) {
          while(*++p);
          while('0'==*--p) *p = '\0';
          if(*p == '.') *p = '\0';
          break;
        }
      }
    }
    

    它仍然有可能溢出,所以要小心;p

        12
  •  -1
  •   TeamXlink    11 年前

    由于F前面的“.3”,您的代码四舍五入到小数点后三位。

    printf("%1.3f", 359.01335);
    printf("%1.3f", 359.00999);
    

    因此,如果第二行四舍五入到小数点后两位,则应将其更改为:

    printf("%1.3f", 359.01335);
    printf("%1.2f", 359.00999);
    

    该代码将输出您想要的结果:

    359.013
    359.01
    

    *注意:这是假设您已经在单独的行上打印了它,如果没有,则以下内容将阻止它在同一行上打印:

    printf("%1.3f\n", 359.01335);
    printf("%1.2f\n", 359.00999);
    

    以下程序源代码是我对此答案的测试

    #include <cstdio>
    
    int main()
    {
    
        printf("%1.3f\n", 359.01335);
        printf("%1.2f\n", 359.00999);
    
        while (true){}
    
        return 0;
    
    }