最近在刷剑指offer,有一题是
将一个字符串转换成一个整数(实现Integer.valueOf(string)的功能,但是string不符合数字要求时返回0),要求不能使用字符串转换整数的库函数。 数值为0或者字符串不是一个合法的数值则返回0。
想着既然有valueOf()方法,为什么不去参考一下呢,就去看了源码:
public static Integer valueOf(String s) throws NumberFormatException {
return Integer.valueOf(parseInt(s, 10));
}
public static Integer valueOf(int i) {
if (i >= IntegerCache.low && i <= IntegerCache.high)
return IntegerCache.cache[i + (-IntegerCache.low)];
return new Integer(i);
}
非常明显,Integer是java实现类这里强调一下,(别问我为啥这么怨念_),可以靠valueOf方法包装整形或者数字字符串到Integer实体中。
从上面的代码可以看出valueOf对于字符串的操作是基于parseInt(String s, int radix)方法的,所以我们再去看看parseInt()方法:
- parseInt(String s, int radix)方法作用:
将数字字符串s转换成指定进制的整形
String s 是目标字符串
int radix是进制数
- 入参合法判断条件:
- 字符串转数字的合法字符串分为2部分,1)-或+符号位; 2)0到9,a到z;
- 符号位不参与转换
- 基数必须大于1,因为如果基数等于1,那么就会无意义,陷入无限循环。
Character. MIN_RADIX = 2, Character.MAX_RADIX = 36
所以,0到9一共10位,a到z一共26位,所以一共36位。
- 下面看看源码:
public static int parseInt(String s, int radix)
throws NumberFormatException
{
/*
* WARNING: This method may be invoked early during VM initialization
* before IntegerCache is initialized. Care must be taken to not use
* the valueOf method.
*/
//判空,很明显,s不能为空
if (s == null) {
throw new NumberFormatException("null");
}
//进制数不能小于2
if (radix < Character.MIN_RADIX) {
throw new NumberFormatException("radix " + radix +
" less than Character.MIN_RADIX");
}
//进制数不能大于36
if (radix > Character.MAX_RADIX) {
throw new NumberFormatException("radix " + radix +
" greater than Character.MAX_RADIX");
}
int result = 0; //结果
boolean negative = false; //正负数判断位,false为正数,true为负数
int i = 0, len = s.length(); //i是字符串索引,len是字符串长度
int limit = -Integer.MAX_VALUE; //整形数字边界值
int multmin;
int digit;
//第一个字符判断,只能为数字或者“+”,“-”,否则抛异常
if (len > 0) { //字符串长度判断,大于0才有意义
char firstChar = s.charAt(0); //取出第一个字符
if (firstChar < '0') { // Possible leading "+" or "-"
if (firstChar == '-') { //第一个字符为-, 是负数,修改negative标志位为true
negative = true;
limit = Integer.MIN_VALUE; //负数边界发生改变
} else if (firstChar != '+') //第一个字符若是其他符号,则抛异常
throw NumberFormatException.forInputString(s);
if (len == 1) // Cannot have lone "+" or "-" 不能只有+-符号
throw NumberFormatException.forInputString(s);
i++; //索引后移
}
multmin = limit / radix; // -边界值/进制数 得到进制下最小值
// 遍历余下字符
while (i < len) {
// Accumulating negatively avoids surprises near MAX_VALUE
digit = Character.digit(s.charAt(i++),radix); //对每个字符按基数取值,保证每一位不大于进制数
//字符转换值不能小于0
if (digit < 0) {
throw NumberFormatException.forInputString(s);
}
// 得到结果不能小于最小值
if (result < multmin) {
throw NumberFormatException.forInputString(s);
}
// result = result*radix
result *= radix;
if (result < limit + digit) {
throw NumberFormatException.forInputString(s);
}
// result=result*10+str[i]-'0'
result -= digit;
}
} else {
throw NumberFormatException.forInputString(s);
}
// 正负判断
return negative ? result : -result;
}
实现上还是使用result=result*10+str[i]-'0' 这个公式套,但是大神的代码判断非常严谨,初始+-的判断,后面对于进制是否超出的判断,都非常精彩。
网友评论