题目类型:字符串
题目难度:中等
'-'
时,就将digit=-1
;还有一种情况,就是当字符数组的第一位是‘+’
或者直接为数字时,说明他是一个正数,但二者唯一的区别是,为‘+’
时,需要从下标为1开始遍历,为数字时,需要从0开始遍历,所以在不为‘+’
时,我们将i=0
。i
位开始遍历,当字符不在'0'
到'9'
之间时,说明这一位已经不是数字,需要停止遍历;res*10+(c[j] - '0')
class Solution {
public int strToInt(String str) {
char[] c = str.trim().toCharArray();
if(c.length == 0) {
return 0;
}
int i = 1, digit = 1, val = Integer.MAX_VALUE / 10, res = 0;
if(c[0] == '-') {
digit = -1;
}else if(c[0] != '+'){
i = 0;
}
for(int j = i; j < c.length; j++){
if(c[j] < '0' || c[j] > '9') break;
if(res > val || res == val && c[j] > '7'){
return digit == 1 ? Integer.MAX_VALUE : Integer.MIN_VALUE;
}
res = res * 10 + (c[j] - '0');
}
return digit * res;
}
}