文章目录
作业标题
模拟实现atoi
作业内容
自行了解库函数atoi的功能,学习使用,并模拟实现atoi函数。
文档链接:atoi - C++ Reference (cplusplus.com)
代码
//atoi 将一个字符串转化为一个整型
#include<stdio.h>
#include<assert.h>
#include<limits.h>
#include<ctype.h>
enum state
{
Value,
ErrValue
};
state statue = ErrValue;
int my_atoi(const char*str)
{
assert(str);
char* p = (char*)str;
long long n = 0;
int flag = 1;
//字符串长度为0
if (*str == '\0')
{
return 0;
}
//字符串前面有很多空格
while (*p == ' ')
{
p++;
}
//判断符号
if (*p == '+')
{
flag = 1;
p++;
}
else if (*p == '-')
{
flag = -1;
p++;
}
//开始计算
while (*p!='\0')
{
if (isdigit(*p))
{
n = n * 10 + flag * (*p - '0');
if (n >INT_MAX)
{
n = INT_MAX;
break;
}
else if (n < INT_MIN)
{
n = INT_MIN;
break;
}
}
else
{
break;
}
p++;
}
if (*p == '\0')
{
statue = Value;
}
return (int)n;
}/**
特殊情况
1前面有一大堆空格
2传过来空指针
3字符串长度为0
4整形溢出
5含有其它字符
*/
int main()
{
char arr[] = "12345678";
int m = my_atoi(arr);
if (statue == Value)
{
printf("%d\n", m);
}
if (statue == ErrValue)
{
printf("非法转化\n");
}
return 0;
}
标签:39,int,C语言,char,++,flag,atoi,习题,include
From: https://blog.csdn.net/hlyd520/article/details/140475995