- 实例要求:
atoi函数
的功能是把字符串转成整型数值并输出;- 把
字符串"123456"
转换成数值123456
,并返回数值; - 函数名:
int myatoi(char *str);
-
实例分析:
-
1.自定义的封装函数类型是整型,所以
返回值也是整型
,因此,在atoi函数
中需要使用return关键字
返回一个整型变量; -
2.可以使用for循环或while循环,对从main函数传入的字符串进行遍历,直到
字符串的'\0'
结束; -
3.
'0'
的ASCII值
是48
,那么'1'到'6'
的ASCII值的范围
是49到54
; -
4.利用公式
key = key * 10 + *str - '0'
,把字符型转换成整型,结束循环后输出; -
测试代码:
#include<stdio.h>int myatoi(char *str){int key = 0;while(*str!= '\0'){key = key*10 + *str - '0';str++;}return key;}int main(int argc, const char *argv[])
{char s[10] = "123456";int tmp = myatoi(s);printf("%d\n",tmp);return 0;
}
- 运行结果:
123456