第七题:字符串转换整数 来自《LeetCode》题库

第七题:中等题
请你来实现一个 myAtoi(string s) 函数,使其能将字符串转换成一个 32 位有符号整数(类似 C/C++ 中的 atoi 函数)。
函数 myAtoi(string s) 的算法如下:

读入字符串并丢弃无用的前导空格
检查下一个字符(假设还未到字符末尾)为正还是负号,读取该字符(如果有)。 确定最终结果是负数还是正数。 如果两者都不存在,则假定结果为正。
读入下一个字符,直到到达下一个非数字字符或到达输入的结尾。字符串的其余部分将被忽略。
将前面步骤读入的这些数字转换为整数(即,“123” -> 123, “0032” -> 32)。如果没有读入数字,则整数为 0 。必要时更改符号(从步骤 2 开始)。
如果整数数超过 32 位有符号整数范围 [−231, 231 − 1] ,需要截断这个整数,使其保持在这个范围内。具体来说,小于 −231 的整数应该被固定为 −231 ,大于 231 − 1 的整数应该被固定为 231 − 1 。
返回整数作为最终结果。
注意:

本题中的空白字符只包括空格字符 ’ ’ 。
除前导空格或数字后的其余字符串外,请勿忽略 任何其他字符。
来源:力扣(LeetCode)
链接:https://leetcode-cn.com/problems/string-to-integer-atoi

我的思路
看清题目要求
1、本题的字符串只包含空格特殊字符
2、要考虑到字符含有+ - 号的问题
3、考虑到转换的整数溢出的问题(溢出后要保留未溢出的数字)
4、直到碰到第二个特殊字符,可以停止
class Solution {
   public int myAtoi(String str) {
            int len = str.length();
            // str.charAt(i) 方法回去检查下标的合法性
            //将字符串转换为字符数组
            char[] charArray = str.toCharArray();

            // 1、去除前导空格:第一条思考
            int index = 0;
            while (index < len && charArray[index] == ' ') {
                index++;
            }

            // 2、如果已经遍历完成(针对极端用例 "      ") :尾部的所有空格做0处理
            if (index == len) {
                return 0;
            }

            // 3、如果出现符号字符,仅第 1 个有效,并记录正负  第二条和第四条思路
            int sign = 1;
            char firstChar = charArray[index];
            if (firstChar == '+') {
                index++;
            } else if (firstChar == '-') {
                index++;
                sign = -1;
            }

            // 4、将后续出现的数字字符进行转换 
            int res = 0;
            while (index < len) {
                char currChar = charArray[index];
                // 1 先判断不合法的情况 : 可能会出现字母等字符
                if (currChar > '9' || currChar < '0') {
                    break;
                }
                // 题目中说:环境只能存储 32 位大小的有符号整数,因此,需要提前判:断乘以 10 以后是否越界
                if (res > Integer.MAX_VALUE / 10 || (res == Integer.MAX_VALUE / 10 && (currChar - '0') > Integer.MAX_VALUE % 10)) {
                    return Integer.MAX_VALUE;  //越界后的返回值
                }
                if (res < Integer.MIN_VALUE / 10 || (res == Integer.MIN_VALUE / 10 && (currChar - '0') > -(Integer.MIN_VALUE % 10))) {
                    return Integer.MIN_VALUE;  //越界后的返回值
                }
                // 2 合法的情况下,才考虑转换,每一步都把符号位乘进去
                res = res * 10 + sign * (currChar - '0');
                index++;
            }
            return res;
        }
}

复杂度分析:

时间复杂度:O(N),这里 N 为字符串的长度;
空间复杂度:O(1)。

官方解法:(看着可能有点晕)
https://leetcode-cn.com/problems/string-to-integer-atoi/solution/zi-fu-chuan-zhuan-huan-zheng-shu-atoi-by-leetcode-/

你可能感兴趣的:(算法+java,leetcode,算法,java)