【49】把字符串转换成整数
- 时间限制:1秒
- 空间限制:32768K
- 本题知识点: 字符串
题目描述
将一个字符串转换成一个整数,要求不能使用字符串转换整数的库函数。
“123”->123; “空” ; “字母”; “字母+数字”; “数字+字母”; “+123”->123; “-123”->-123
牛客网题目链接:点击这里
VS2010代码:
// Source: http://www.nowcoder.com/practice/1277c681251b4372bdef344468e4f26e?tpId=13&tqId=11202&rp=3&ru=/ta/coding-interviews&qru=/ta/coding-interviews/question-ranking
// Author: Yang Qiang
// Date : 2016-8-10
#include<iostream>
using namespace std;
class Solution {
public:
int StrToInt(string str) {
if(str.empty()) return 0; //空
int num;
if(str[0]=='+' || str[0]=='-')
num=0;
else if( 0<=str[0] && str[0]<='9')
{
num=str[0]-'0';
}
else
return 0;
for(int i=1; i!=str.size(); i++)
{
if( 0<=str[i] && str[i]<='9')
num=num*10+(str[i]-'0');
else
return 0;
}
return num*(str[0]=='-'?-1:1);
}
};
int main()
{
Solution s1;
string test1="123";
//test1.push_back();
cout<<s1.StrToInt(test1)<<endl;
string test2="+123";
cout<<s1.StrToInt(test2)<<endl;
}
牛客网通过图片: