[c] C에서 int를 문자열로 변환하는 방법은 무엇입니까?

int(정수)를 문자열 로 어떻게 변환 합니까? struct파일 의 데이터를 문자열로 변환하여 파일로 저장 하는 함수를 만들려고 합니다.



답변

편집 : 의견에서 지적했듯이 itoa()표준이 아니므로 경쟁 답변에서 제안 된 sprintf () 접근 방식을 더 잘 사용하십시오!


itoa()함수를 사용 하여 정수 값을 문자열 로 변환 할 수 있습니다 .

예를 들면 다음과 같습니다.

int num = 321;
char snum[5];

// convert 123 to string [buf]
itoa(num, snum, 10);

// print our string
printf("%s\n", snum);

구조를 파일로 출력하려면 미리 값을 변환 할 필요가 없습니다. 당신은 바로 사용할 수 의 printf 형식 사양을 출력하는 방법에 대한 당신의 가치를 나타내며에서 연산자 중 하나를 사용하는 printf와 가족 데이터를 출력.


답변

당신 sprintf이 그것을 할 수 있습니다 , 또는 snprintf당신이 그것을 가지고 있다면 :

char str[ENOUGH];
sprintf(str, "%d", 42);

의 문자 수 (및 종료 문자)는 str다음을 사용하여 계산할 수 있습니다.

(int)((ceil(log10(num))+1)*sizeof(char))


답변

짧은 대답은 다음과 같습니다.

snprintf( str, size, "%d", x );

더 길면 : 먼저 충분한 크기를 찾아야합니다. 첫 번째 매개 변수로 snprintf호출하면 길이를 알려줍니다 NULL, 0.

snprintf( NULL, 0, "%d", x );

널 종료자를 위해 한 문자를 더 할당하십시오.

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

int x = -42;
int length = snprintf( NULL, 0, "%d", x );
char* str = malloc( length + 1 );
snprintf( str, length + 1, "%d", x );
...
free(str);

모든 형식 문자열에 대해 작동하므로을 사용하여 float 또는 double을 문자열 "%g"로 변환 할 수 있으면 을 사용하여 int를 16 진수로 변환 할 수 있습니다 "%x".


답변

gcc에 대한 다양한 버전의 itoa를 살펴본 후, 내가 찾은 가장 유연한 버전은 2 진, 10 진수 및 16 진으로의 변환을 처리 할 수 ​​있으며, 양수 및 음수 모두 http://www.strudel.org에 있는 네 번째 버전입니다 . .uk / itoa / . 반면 sprintf/는 snprintf장점을 가지고, 그들은 소수 변환 외의 항목에 음수를 처리하지 않습니다. 위의 링크가 오프라인이거나 더 이상 활성화되어 있지 않으므로 아래에 네 번째 버전을 포함 시켰습니다.

/**
 * C++ version 0.4 char* style "itoa":
 * Written by Lukás Chmela
 * Released under GPLv3.
 */
char* itoa(int value, char* result, int base) {
    // check that the base if valid
    if (base < 2 || base > 36) { *result = '\0'; return result; }

    char* ptr = result, *ptr1 = result, tmp_char;
    int tmp_value;

    do {
        tmp_value = value;
        value /= base;
        *ptr++ = "zyxwvutsrqponmlkjihgfedcba9876543210123456789abcdefghijklmnopqrstuvwxyz" [35 + (tmp_value - value * base)];
    } while ( value );

    // Apply negative sign
    if (tmp_value < 0) *ptr++ = '-';
    *ptr-- = '\0';
    while(ptr1 < ptr) {
        tmp_char = *ptr;
        *ptr--= *ptr1;
        *ptr1++ = tmp_char;
    }
    return result;
}


답변

이것은 오래되었지만 여기 다른 방법이 있습니다.

#include <stdio.h>

#define atoa(x) #x

int main(int argc, char *argv[])
{
    char *string = atoa(1234567890);
    printf("%s\n", string);
    return 0;
}


답변

GCC를 사용하는 경우 GNU 확장 프로그램 asprintf 기능을 사용할 수 있습니다.

char* str;
asprintf (&str, "%i", 12313);
free(str);


답변

문자열로 변환하려면 1) 결과 문자열을 할당하거나 2) char *대상 및 크기를 전달해야 합니다. 아래 샘플 코드 :

모두를 int포함하여 모두 작동합니다 INT_MIN. 그들은 달리 일관된 출력을 제공합니다snprintf()현재 로케일에 따라 .

방법 1 : NULL메모리 부족으로 반환 합니다.

#define INT_DECIMAL_STRING_SIZE(int_type) ((CHAR_BIT*sizeof(int_type)-1)*10/33+3)

char *int_to_string_alloc(int x) {
  int i = x;
  char buf[INT_DECIMAL_STRING_SIZE(int)];
  char *p = &buf[sizeof buf - 1];
  *p = '\0';
  if (i >= 0) {
    i = -i;
  }
  do {
    p--;
    *p = (char) ('0' - i % 10);
    i /= 10;
  } while (i);
  if (x < 0) {
    p--;
    *p = '-';
  }
  size_t len = (size_t) (&buf[sizeof buf] - p);
  char *s = malloc(len);
  if (s) {
    memcpy(s, p, len);
  }
  return s;
}

방법 2 : NULL버퍼가 너무 작은 경우 반환 합니다.

static char *int_to_string_helper(char *dest, size_t n, int x) {
  if (n == 0) {
    return NULL;
  }
  if (x <= -10) {
    dest = int_to_string_helper(dest, n - 1, x / 10);
    if (dest == NULL) return NULL;
  }
  *dest = (char) ('0' - x % 10);
  return dest + 1;
}

char *int_to_string(char *dest, size_t n, int x) {
  char *p = dest;
  if (n == 0) {
    return NULL;
  }
  n--;
  if (x < 0) {
    if (n == 0) return NULL;
    n--;
    *p++ = '-';
  } else {
    x = -x;
  }
  p = int_to_string_helper(p, n, x);
  if (p == NULL) return NULL;
  *p = 0;
  return dest;
}

@Alter Mann의 요청에 따라 [편집]

(CHAR_BIT*sizeof(int_type)-1)*10/33+3최소한 char부호있는 정수 유형을 선택적 음수 부호, 숫자 및 널 문자로 구성된 문자열로 인코딩하는 데 필요한 최대 수입니다 .

부호있는 정수의 부호없는 비트 수는 개를 초과하지 않습니다 CHAR_BIT*sizeof(int_type)-1. – n비트 이진수 의 10 진 표현은 n*log10(2) + 1숫자 까지 입니다. 10/33보다 약간 큽니다 log10(2). 부호는 char+1, 널 문자는 +1 다른 분획은 28/93과 같이 사용될 수 있습니다.


방법 3 : 하나의 가장자리에 살고 오버 플로우가 중요하지 않은 버퍼하고자하는 경우, 간단한 C99 이상 솔루션을 처리하는 다음 모두를 int .

#include <limits.h>
#include <stdio.h>

static char *itoa_simple_helper(char *dest, int i) {
  if (i <= -10) {
    dest = itoa_simple_helper(dest, i/10);
  }
  *dest++ = '0' - i%10;
  return dest;
}

char *itoa_simple(char *dest, int i) {
  char *s = dest;
  if (i < 0) {
    *s++ = '-';
  } else {
    i = -i;
  }
  *itoa_simple_helper(s, i) = '\0';
  return dest;
}

int main() {
  char s[100];
  puts(itoa_simple(s, 0));
  puts(itoa_simple(s, 1));
  puts(itoa_simple(s, -1));
  puts(itoa_simple(s, 12345));
  puts(itoa_simple(s, INT_MAX-1));
  puts(itoa_simple(s, INT_MAX));
  puts(itoa_simple(s, INT_MIN+1));
  puts(itoa_simple(s, INT_MIN));
}

샘플 출력

0
1
-1
12345
2147483646
2147483647
-2147483647
-2147483648