请你来实现一个 atoi 函数,使其能将字符串转换成整数。
首先,该函数会根据需要丢弃无用的开头空格字符,直到寻找到第一个非空格的字符为止。接下来的转化规则如下:
如果第一个非空字符为正或者负号时,则将该符号与之后面尽可能多的连续数字字符组合起来,形成一个有符号整数。
假如第一个非空字符是数字,则直接将其与之后连续的数字字符组合起来,形成一个整数。
该字符串在有效的整数部分之后也可能会存在多余的字符,那么这些字符可以被忽略,它们对函数不应该造成影响。
注意:假如该字符串中的第一个非空格字符不是一个有效整数字符、字符串为空或字符串仅包含空白字符时,则你的函数不需要进行转换,即无法进行有效转换。
在任何情况下,若函数不能进行有效的转换时,请返回 0 。
提示:
本题中的空白字符只包括空格字符 ’ ’ 。
假设我们的环境只能存储 32 位大小的有符号整数,那么其数值范围为 [−231, 231 − 1]。如果数值超过这个范围,请返回 INT_MAX (231 − 1) 或 INT_MIN (−231) 。
作者:力扣 (LeetCode)
链接:https://leetcode-cn.com/leetbook/read/top-interview-questions-easy/xnoilh/
来源:力扣(LeetCode)
著作权归作者所有。商业转载请联系作者获得授权,非商业转载请注明出处。
package day06;
//将一个字符串转换为整数,无法转换时返回0
public class StringToInt {
public static void main(String[] args) {
String str = "9223372036854775808";
int res = myAtoI(str);
System.out.println(res);
}
public static int myAtoI(String str) {
if (str == null || str.length() == 0) {
return 0;
}
int index = 0;
//跳过开头的空格
while (index < str.length() && str.charAt(index) == ' ') {
index ++;
}
//全是空格
if(index >= str.length()) {
return 0;
}
//记录正\负号
boolean neg = false;
if (str.charAt(index) == '+') {
index ++;
} else if (str.charAt(index) == '-') {
index ++;
neg = true;
}
//只包含空格和正负号
if (index >= str.length()) {
return 0;
}
//判断第一个字符是否为数字
if ( !Character.isDigit(str.charAt(index)) ) {
return 0;//无法有效转换
}
//将第一个整数之后和其连续的最多数字连接起来
double res = 0;//double 类型,避免越界,大于int的表示范围
while (index < str.length() && Character.isDigit(str.charAt(index))) {
res = res * 10 + Long.valueOf(str.substring(index,index + 1));
//判断还有没有继续进行的必要
if(!neg && res >= Integer.MAX_VALUE) {
return Integer.MAX_VALUE;
}
if(neg && res <= Integer.MIN_VALUE) {
return Integer.MIN_VALUE;
}
index ++;
}
//得到结果
if (neg) {
res = -res;
}
if (res >= Integer.MAX_VALUE) {
return Integer.MAX_VALUE;
} else if (res <= Integer.MIN_VALUE) {
return Integer.MIN_VALUE;
} else {
return (int) res;
}
}
}