三星笔试题

/*
	不用库函数,实现atoi函数。
	库函数原型:
#inclue 
int atoi(const char *nptr);

用法:将字符串里的数字字符转化为整形数,返回整形值。
注意:转化时跳过前面的空格字符,直到遇上数字或正负符号才开始做转换,而再遇到非数字或字符串结束符号时('/0')才结束转换,并将结果返回。
*/

#include
#include
using namespace std;

int myatoi(const char *nptr)
{
	int sym=1;//标识正负
	int num=0;
	if(nptr != NULL)/*如果指针为空的话应该抛出异常的,不能返回数值*/
	{
		while(((*nptr)<'0'||(*nptr)>'9')&&((*nptr)!='+')&&((*nptr)!='-'))//非数字也非正负号直接略过
			nptr++;
		if((*nptr)=='-')
		{//是负号
			sym=-1;
			nptr++;
		}
		else if((*nptr)=='+')
		{//是正号
			sym=1;
			nptr++;
		}
		while(((*nptr)>='0'&&(*nptr)<='9'))//碰到非数字的字符(包括结束符)循环结束
		{
			num=num*10+*nptr-'0';
			nptr++;
		}
	}
	return sym*num;
}

int main()
{
	const char *p="   @!#$1232131";
	int num=myatoi(p);
	cout<
以上代码VC6.0环境下编译通过。

你可能感兴趣的:(面试题)