目录
- 对于
atoi
函数大家可能会有些陌生,不过当你选择并阅读到这里时,请往下阅读,我相信你能对atoi
函数熟悉- 该函数的头文件为
<stdlib.h>
?或?<cstdlib>
此函数的功能是将数字字符的字符串转化为字面上的整型返回,例如:
char arr[] = "1234";
将”1234“ -> 1234(int)
以下是函数原型:
?
?
要注意的点:
0
。0
。例如:
#include <stdio.h>
#include <stdlib.h>
int main()
{
char a[] = "";
char b[] = " ";
char c[] = "66666";
char d[] = " @. 66ab";
char e[] = " 6666@qq.com";
char f[] = "520hehe";
char g[] = "i love you 555";
printf("%d\n", atoi(a));
printf("%d\n", atoi(b));
printf("%d\n", atoi(c));
printf("%d\n", atoi(d));
printf("%d\n", atoi(e));
printf("%d\n", atoi(f));
printf("%d\n", atoi(g));
return 0;
}
?
看上的结果,是不是就与介绍当中的点都对应起来了呢?
有了上面的铺垫,我们已经了解了该函数的特性,所以接下来的实现也就变的简单了
#include <stdio.h>
#include <assert.h>
// 数字ASCLL码值范围为 48—57
int my_atoi(const char* str)
{
assert(str);
const char* tmp = str;
while (*tmp == ' ') // 跳过空格字符
tmp++;
int num = 0; // 转换数字字符值的接收变量
// 如果是数字字符,就进来,到不连续处就停止
while (*tmp <= 57 && *tmp >= 48)
{
num = num * 10 + (*tmp - '0');
if (*(tmp + 1) < 48 || *(tmp + 1) > 57)
{
return num;
}
tmp++;
}
// 如果开始判断的字符不是数字字符,前面的循环不进去,这里直接返回0
return 0;
}
int main()
{
char a[] = "";
char b[] = " ";
char c[] = "66666";
char d[] = " @. 66ab";
char e[] = " 6666@qq.com";
char f[] = "520hehe";
char g[] = "i love you 555";
printf("%d\n", my_atoi(a)); // 0
printf("%d\n", my_atoi(b)); // 0
printf("%d\n", my_atoi(c)); // 66666
printf("%d\n", my_atoi(d)); // 0
printf("%d\n", my_atoi(e)); // 6666
printf("%d\n", my_atoi(f)); // 520
printf("%d\n", my_atoi(g)); // 0
return 0;
}