欢迎您访问程序员文章站本站旨在为大家提供分享程序员计算机编程知识!
您现在的位置是: 首页  >  IT编程

C语言实现atoi和itoa(字符串与数字之间的转化)

程序员文章站 2022-07-08 11:58:23
C语言实现atoi和itoa(字符串与数字之间的转化) #include #include #include #include #include #inc...
C语言实现atoi和itoa(字符串与数字之间的转化)
#include 
#include 
#include 
#include 
#include 
#include 
//字符转数字("123"->123,"12a3"->12,"a12"->0) 遇到字母就退出

int Myatoi(const char *str)
{
    assert(str!=NULL);
    if(str==NULL)
    {
        return 0;
    }
    int sum = 0;
    while(isdigit(*str))
    {
        sum = sum*10 + *str - '0';
        str++;
    }
    return sum;
}


//数字转字符 123-》“123”

void StrReverse(char *str)
{
    char *p = str;
    char tmp;
    while(*p!='\0')
    {
        p++;
    }
    p--;

    for(;str<=p;str++,p--)
    {
        tmp = *str;
        *str = *p;
        *p = tmp;
    }   
}

int GetFigure(int num)
{
    int count=0;
    while(num!=0)
    {
        count++;
        num /= 10;
    }
    return count;
}
char *Myitoa(int num)
{
    char *p=(char*)malloc(GetFigure(num)+1 * sizeof(char));
    int i=0,j=0;
    while(num!=0)
    {
        p[i++] = num%10 + '0';
        num /= 10;
    }
    p[i]='\0';

    StrReverse(p);
    return p;
}

int main()
{
    printf("%d\n",Myatoi("a12"));
    printf("%d\n",Myatoi("123"));
    printf("%d\n",Myatoi("12a3"));

    char str5[20];
    printf("%s\n",Myitoa(123456789));
    char *str = Myitoa(123456789);
    printf("%s\n",str);
    free(str); 

    return 0;
}

打印结果:
0
123
12
123456789
123456789