实现c++函数库中atoi()函数,要考虑到各种特殊情况:
- 空字符串。
- +和-号。
- 字符串前中后n个空格。
- 溢出。
- 非数字字符。
1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 17 18 19 20 21 22 23 24 25 26 27 28 29 30 31 32 33 34 35 36 37 38 39 40 41 42 43
| #include <bits/stdc++.h>
using namespace std;
int MyAtoi (const string & str) { if (str.empty()) return 0; int n = str.size(); int idx = 0; while (idx < n && isspace(str[idx])) idx++; bool sign = true; if (str[idx] == '-') { sign = false; idx++; } else if (str[idx] == '+') { sign = true; idx++; } int res = 0; while (idx < n && isdigit(str[idx])) { int num = str[idx] - '0'; res = res * 10 + num; idx++; if (res > std::numeric_limits<int>::max()) { if (sign) { return std::numeric_limits<int>::max(); } else { return std::numeric_limits<int>::min(); } } } return res; }
int main() { string a = " -0001234"; string b = " +4321"; std::cout << "a: " << MyAtoi(a) << std::endl; std::cout << "b: " << MyAtoi(b) << std::endl; return 0; }
|