-
Notifications
You must be signed in to change notification settings - Fork 1
/
Copy path0008_atoi.cc
53 lines (49 loc) · 1.28 KB
/
0008_atoi.cc
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
44
45
46
47
48
49
50
51
52
53
/**
* Author: Xiangyue Cai
* Date: 2019-09-06
*/
// runtime: 4ms
// memory usage: 8.3mb
class Solution {
public:
int myAtoi(string str) {
long res = 0;
bool is_negative = false;
bool is_change = false;
int i = 0;
while (i < str.length() && isSpace(str[i])) ++i;
for (; i < str.length(); ++i) {
if (!is_change && !isSign(str[i]) && !isdigit(str[i]))
return res;
if (is_change && !isdigit(str[i]))
break;
if (!is_change && isSign(str[i])) {
if (str[i] == '-')
is_negative = true;
is_change = true;
}
if (isdigit(str[i])){
is_change = true;
if (res > INT_MAX)
break;
res = res * 10 + str[i] - '0';
}
}
res = is_negative ? -res : res;
if (res < INT_MIN)
return INT_MIN;
if (res > INT_MAX)
return INT_MAX;
return res;
}
bool isSign(char ch){
if (ch == '-' || ch == '+')
return true;
return false;
}
bool isSpace(char ch) {
if (ch == ' ')
return true;
return false;
}
};