web-dev-qa-db-ja.com

printf()の末尾のゼロを避ける

私は、printf()ファミリーの関数のフォーマット指定子につまずき続けています。私が欲しいのは、小数点以下の最大桁数でdouble(またはfloat)を印刷できるようにすることです。私が使用する場合:

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

私は得る

359.013
359.010

希望の代わりに

359.013
359.01

誰も私を助けることができますか?

102
Gorpik

これは通常のprintf形式指定子では実行できません。最も近いものは次のとおりです。

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

しかし、「。6」はtotal数値幅です。

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

それを壊します。

あなたがcanすることは、文字列バッファへの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.123990.123に丸めるのではなく、0.124に変換する)に満足できない場合は、printfで既に提供されている丸め機能を実際に使用できます。事前に数値を分析して動的に幅を作成し、それらを使用して数値を文字列に変換するだけです。

#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を呼び出しますが、その場合はおそらく2つを1つの関数に結合するだけです)、次のようになります。

  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
80
paxdiablo

末尾のゼロを取り除くには、「%g」形式を使用する必要があります。

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

質問が少し明確になった後、ゼロを抑制することが求められた唯一のものではないが、出力を小数点以下3桁に制限することも必要でした。 sprintf形式の文字列だけではできないと思います。 Pax Diablo が指摘したように、文字列の操作が必要になります。

52
Tomalak

Rの答えが少し調整されているのが好きです。

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

「1000」は精度を決定します。

0.5の丸めの累乗

[〜#〜] edit [〜#〜]

わかりました、この答えは数回編集され、数年前に考えていたものを追跡できなくなりました(元々はすべての基準を満たしていませんでした)。新しいバージョンがあります(すべての基準を満たし、負の数を正しく処理します)。

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は文字列を返さないため、この答えは2行です。

18
Juha

このようなものについてはどうでしょうか(読者に演習として残された、デバッグが必要な丸め誤差と負の値の問題がある可能性があります):

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

少しプログラム的ですが、少なくとも文字列操作はできません。

2
R..

1から9(ASCII値49-57)の範囲の最初の文字を文字列(右端から)で検索し、null(set 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;
    }
}
2
DaveR

簡単な解決策ですが、仕事が完了し、既知の長さと精度を割り当て、指数形式になる可能性を回避します(%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);
}

最大2桁の小数が必要な場合は、「elses」を追加または削除します。 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);
}
1
Iaijutsu

投稿されたソリューションのいくつかで問題が見つかりました。上記の回答に基づいてまとめました。それは私のために働くようです。

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);
}
1
magnusviri

高く評価されたソリューションの中には、printf%g変換指定子を提案するものがあります。 %gが科学表記法を生成する場合があるため、これは間違っています。他のソリューションでは、数学を使用して希望の10進数の桁数を出力します。

最も簡単な解決策は、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または米国英語のロケールを想定しています。

1
nwellnhof

上記のわずかな変動:

  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

0
David Thornley

なぜこれをしないのですか?

double f = 359.01335;
printf("%g", round(f * 1000.0) / 1000.0);
0
Jim Hunziker