今天看见大家在讨论atoi这个函数,我也凑个热闹,学习下atoi函数的用法,记得当时学C语言,以为就只能将全是数字的字符串转化成整数,现在明白了远不至如此。
1、能够将从当前开始的字符(数字或+、-)到第一个不是数字的字符结束的数字字符串,转化成整数;
这个也就是有人在blog中谈论的前缀匹配。
2、需要注意的指针在这个过程中的指向发生了改变
下面给出我的atoi实现代码
int aatoii(const char * str)
{
if(str == NULL) return 0;
int result = 0;
int sign = 1;
if( ('0'<= str[0] && str[0] <= '9') ||(str[0]=='-') || str[0]=='+')
{
if(str[0] == '+' || str[0] == '-')
{
if(str[0]=='-')
{
sign = -1;
}
str++;
}
}
else
{
return 0;
}
while('0'<= *str && *str <= '9')
{
result = result*10 + (*str++ - '0');
}
return result;
}
修改版:
int aatoii(const char * str)
{
if(str == NULL) return 0;
int result = 0;
int sign = 1;
if( ('0'<= str[0] && str[0] <= '9') ||(str[0]=='-') || str[0]=='+')
{
if(str[0] == '+' || str[0] == '-')
{
if(str[0]=='-')
{
sign = -1;
}
str++;
}
}
while('0'<= *str && *str <= '9' )
{
result = result*10 + (*str++ - '0');
}
return result * sign;
}
后面说我没溢出判断:
我仔细想了想:我认为没必有,由于我保证了传进来的str是有意义的:
无外乎这几种情况: {'\0'}, {'+', '\0'}, {'1', '2', '\0'} , {'a', 'b', '1', '2', '\0'},这些都应该没有问题
,由于while('0' <= *str && *str <= '9'),等于间接就判断了。
修改版二:
现在发现我对溢出的理解是错误,下面给出代码
ps:发现linux的颜色真好看,
3、今天我才明白const char* str; 是修饰字符串不能改变的,而不是指针, 修饰常量指针的是char* const str;
那我就说说吧:
const int * const pint; //一个const指针,指向一个const成员
const int * pint; //一个非const指针, 指向一个const成员
int *pint; //一个非const指针,指向一个非const成员
int * const pint; //一个const指针,指向一个非const成员
int const * pint; //和第二个一样, 一个非const指针, 指向一个const成员, 这个不常用
posted on 2011-03-13 13:08
Cunch 阅读(17887)
评论(10) 编辑 收藏 引用 所属分类:
C++