leetcode-----8. 字符串转换整数 (atoi)

代码

class Solution {
    public int myAtoi(String str) {
        char[] chars = str.toCharArray();
        int n = str.length();
        int idx = 0;

        while (idx < n && chars[idx] == ' ') idx++;
        if (idx == n) return 0;
        boolean flag = false;
        if (chars[idx] == '-') {
            flag = true;
            idx++;
        } else if (chars[idx] == '+') {
            idx++;
        } else if (!Character.isDigit(chars[idx])) {
            return 0;
        }

        int ans = 0;
        while (idx < n && Character.isDigit(chars[idx])) {
            int digit = chars[idx] - '0';
            if (ans > (Integer.MAX_VALUE - digit) / 10) {
                return flag ? Integer.MIN_VALUE : Integer.MAX_VALUE;
            }
            ans = ans * 10 + digit;
            idx++;
        }
        return flag ? -ans : ans;
    }
}
原文地址:https://www.cnblogs.com/clown9804/p/13031811.html