1. 程式人生 > >C語言itoa()函式和atoi()函式詳解(整數轉字元)

C語言itoa()函式和atoi()函式詳解(整數轉字元)

轉自:http://c.biancheng.net/cpp/html/792.html

C語言提供了幾個標準庫函式,可以將任意型別(整型、長整型、浮點型等)的數字轉換為字串。


以下是用itoa()函式將整數轉換為字串的一個例子:
# include <stdio.h>
# include <stdlib.h>
void main (void)
{
int num = 100;
char str[25];
itoa(num, str, 10);
printf("The number 'num' is %d and the string 'str' is %s. \n" ,
num, str);
}

itoa()函式有3個引數:第一個引數是要轉換的數字,第二個引數是要寫入轉換結果的目標字串,第三個引數是轉移數字時所用 的基數。在上例中,轉換基數為10。10:十進位制;2:二進位制...

itoa並不是一個標準的C函式,它是Windows特有的,如果要寫跨平臺的程式,請用sprintf。
是Windows平臺下擴充套件的,標準庫中有sprintf,功能比這個更強,用法跟printf類似:

char str[255];
sprintf(str, "%x", 100); //將100轉為16進製表示的字串。

下列函式可以將整數轉換為字串:
----------------------------------------------------------
函式名 用
----------------------------------------------------------
itoa() 將整型值轉換為字串
itoa() 將長整型值轉換為字串
ultoa() 將無符號長整型值轉換為字串

一、atoi()——把字串轉換成整型數


示例例程式:
#include <ctype.h>
#include <stdio.h>
int atoi (char s[]);
int main(void )

char s[100];
gets(s);
printf("integer=%d\n",atoi(s));
return 0;
}
int atoi (char s[])
{
int i,n,sign;
for(i=0;isspace(s[i]);i++)//跳過空白符;
sign=(s[i]=='-')?-1:1;
if(s[i]=='+'||s[i]==' -')//跳過符號
 i++;

for(n=0;isdigit(s[i]);i++)
      n=10*n+(s[i]-'0');//將數字字元轉換成整形數字
return sign *n;
}

二、itoa()——把一整數轉換為字串


例程式:
#include <ctype.h>
#include <stdio.h>
void      itoa (int n,char s[]);
//atoi 函式:將s轉換為整形數
int main(void )

int n;
char s[100];
printf("Input n:\n");
scanf("%d",&n);
printf("the string : \n");
itoa (n,s);
return 0;
}
void itoa (int n,char s[])
{
int i,j,sign;
if((sign=n)<0)//記錄符號
n=-n;//使n成為正數
i=0;
do{
      s[i++]=n%10+'0';//取下一個數字
}
while ((n/=10)>0);//刪除該數字
if(sign<0)
s[i++]='-';
s[i]='\0';
for(j=i;j>=0;j--)//生成的數字是逆序的,所以要逆序輸出
      printf("%c",s[j]);

是int 轉string型別的一個函式