나는 printf () 함수 군에 대한 형식 지정자를 계속해서 고민하고있다. 내가 원하는 것은 소수점 뒤에 최대 주어진 자릿수로 이중 (또는 부동)을 인쇄 할 수있는 것입니다. 내가 사용하는 경우 :
printf("%1.3f", 359.01335);
printf("%1.3f", 359.00999);
나는 얻다
359.013
359.010
원하는 대신
359.013
359.01
아무도 나를 도울 수 있습니까?
나는 printf () 함수 군에 대한 형식 지정자를 계속해서 고민하고있다. 내가 원하는 것은 소수점 뒤에 최대 주어진 자릿수로 이중 (또는 부동)을 인쇄 할 수있는 것입니다. 내가 사용하는 경우 :
printf("%1.3f", 359.01335);
printf("%1.3f", 359.00999);
나는 얻다
359.013
359.010
원하는 대신
359.013
359.01
아무도 나를 도울 수 있습니까?
답변:
이는 일반 printf
형식 지정자 로 수행 할 수 없습니다 . 가장 가까운 것은 다음과 같습니다.
printf("%.6g", 359.013); // 359.013
printf("%.6g", 359.01); // 359.01
그러나 ".6"은 총 숫자 너비이므로
printf("%.6g", 3.01357); // 3.01357
그것을 깨뜨립니다.
당신이 할 수 있는 것은sprintf("%.20g")
문자열 버퍼에 숫자를 입력 한 다음 소수점을 지나는 N 문자 만 갖도록 문자열을 조작하는 것입니다.
숫자가 변수 num에 있다고 가정하면 다음 함수는 첫 번째 N
소수를 제외한 모든 것을 제거한 다음 후행 0 (및 모두 0 인 경우 소수점)을 제거합니다.
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
수 있음)에서 이미 제공 한 반올림 기능을 실제로 사용할 수 있습니다 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()
간단히 변경하여 후행 0을 제거 하기 위해 다시 전달할 수 있습니다 .
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
atof
하여 동일한 값을 반환 할 때까지 계속 증가 하는 것입니다.
0.10000000000000000555
가 0.1
제거 될 때 결과 가 발생하므로 문제가 발생하지 않습니다 (적어도 해당 값에 대해서는) . 당신의 가장 가까운 표현이있는 경우 등의 아래에 약간 값을 가질 경우 문제가 올 수 42.1
있었다 42.099999999314159
. 정말로 그것을 처리하고 싶다면 자르기보다는 제거 된 마지막 숫자를 기준으로 반올림해야 할 것입니다.
printf
이미 동적 매개 변수 ( *
특수 문자)를 지원하므로 유사 함수에 대한 형식 문자열을 동적으로 생성 할 필요가 없습니다 . 예를 들어 printf("%*.*f", total, decimals, x);
동적으로 지정된 총 필드 길이와 소수를 사용하여 숫자를 출력합니다.
후행 0을 제거하려면 "% g"형식을 사용해야합니다.
float num = 1.33;
printf("%g", num); //output: 1.33
질문이 약간 명확해진 후 0을 억제하는 것이 요청 된 유일한 것이 아니라 출력을 소수점 세 자리로 제한해야한다는 것입니다. sprintf 형식 문자열만으로는 불가능하다고 생각합니다. 으로 인원 디아블로는 지적, 문자열 조작이 요구 될 것이다.
나는 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
문자열을 반환하지 않으므로 두 줄입니다.
범위의 첫 번째 문자에 대한 문자열 (가장 오른쪽으로 시작)을 검색합니다. 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;
}
}
다음과 같은 것은 어떻습니까 (반올림 오류와 디버깅이 필요한 음수 문제가있을 수 있으며 독자를위한 연습으로 남겨 둡니다).
printf("%.0d%.4g\n", (int)f/10, f-((int)f-(int)f%10));
약간 프로그래밍 방식이지만 적어도 문자열 조작을 수행하지는 않습니다.
간단한 솔루션이지만 작업을 완료하고 알려진 길이와 정밀도를 할당하며 지수 형식이 될 가능성을 방지합니다 (% 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"를 추가하거나 제거하십시오. 소수점 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);
}
d = 0.0001
: 다음 floor(d)
이다 0
차이가 0.000001보다 큰, 그래서, 그래서 DoubleEquals
거짓, 그것은 있도록 하지 사용 "%.0f"
지정자를 : 당신은에서 0을 후행 볼 수 있습니다 "%*.2f"
또는 "%*.3f"
. 그래서 그것은 질문에 답하지 않습니다.
게시 된 솔루션 중 일부에서 문제를 발견했습니다. 위의 답변을 바탕으로 이것을 정리했습니다. 그것은 나를 위해 일하는 것 같습니다.
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);
}
투표율이 높은 솔루션 중 일부는의 %g
변환 지정자를 제안합니다 printf
. 이것은 잘못된 경우가 있습니다.%g
과학적 표기법을 생성하는 것입니다. 다른 솔루션은 수학을 사용하여 원하는 소수 자릿수를 인쇄합니다.
가장 쉬운 해결책은 변환 지정자와 sprintf
함께 사용 %f
하고 결과에서 후행 0과 소수점을 수동으로 제거하는 것입니다. 다음은 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 또는 미국 영어 로케일을 가정합니다.
대답에 대한 첫 번째 시도는 다음과 같습니다.
빈 xprintfloat (char * format, float f) { char s [50]; char * p; sprintf (s, 형식, f); for (p = s; * p; ++ p) if ( '.'== * p) { while (* ++ p); while ( '0'== *-p) * p = '\ 0'; } printf ( "% s", s); }
알려진 버그 : 형식에 따라 버퍼 오버플로가 발생할 수 있습니다. 만약 "." % f가 아닌 다른 이유로 인해 잘못된 결과가 발생할 수 있습니다.
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;
}