parseInt的源码阅读
Integer.parseInt()这个方法的功能小巧又实用,实现起来困难不大,没有很复杂。这里就来看一下Java的源码是怎么写的吧,走一边大婶写过的代码,应该会有点收获吧。
其中一条就是,为了考虑程序的健壮性,往往非核心代码占得比较少,相反各种条件判断很多。
/** * Parses the string argument as a signed integer in the radix * specified by the second argument. * *Examples: *
*/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. */ if (s == null) { // 如果接受的字符串为空, 就报空字符串的异常 throw new NumberFormatException("null"); } if (radix < Character.MIN_RADIX) { // 判断基数是不是符合要求 throw new NumberFormatException("radix " + radix + " less than Character.MIN_RADIX"); } if (radix > Character.MAX_RADIX) { // 判断基数是不是符合要求 throw new NumberFormatException("radix " + radix + " greater than Character.MAX_RADIX"); } int result = 0; boolean negative = false; // 判断符号 int i = 0, len = s.length(); // 设置初始位置和字符串的长度 int limit = -Integer.MAX_VALUE; int multmin; int digit; if (len > 0) { // 字符串的长度必须大于零 char firstChar = s.charAt(0); // 获得字符串的第一个字符 if (firstChar < '0') { // Possible leading "+" or "-" if (firstChar == '-') { negative = true; limit = Integer.MIN_VALUE; } else if (firstChar != '+') // 如果不为++的话就报错 throw NumberFormatException.forInputString(s); // 字符串的长度为1但是又不是数字, 那肯定就出错了 if (len == 1) // Cannot have lone "+" or "-" throw NumberFormatException.forInputString(s); i++; } multmin = limit / radix; /* * 下面的过程其实很好理解, 以8进制的"534"为例 * (-5*8-3)*8-4 = -348, 根据符号位判断返回的是348 */ while (i < len) { // Accumulating negatively avoids surprises near MAX_VALUE // 除了前面的判断这里的也有点复杂, 因为要考虑到各种进位 // 这个将i位置上的字符根据基数转为实际的值, A->11 digit = Character.digit(s.charAt(i++),radix); if (digit < 0) { throw NumberFormatException.forInputString(s); } if (result < multmin) { throw NumberFormatException.forInputString(s); } result *= radix; if (result < limit + digit) { throw NumberFormatException.forInputString(s); } result -= digit; } } else { throw NumberFormatException.forInputString(s); } return negative ? result : -result; // 根据符号位来判断返回哪一个}* parseInt("0", 10) returns 0 * parseInt("473", 10) returns 473 * parseInt("+42", 10) returns 42 * parseInt("-0", 10) returns 0 * parseInt("-FF", 16) returns -255 * parseInt("1100110", 2) returns 102 * parseInt("2147483647", 10) returns 2147483647 * parseInt("-2147483648", 10) returns -2147483648 * parseInt("2147483648", 10) throws a NumberFormatException * parseInt("99", 8) throws a NumberFormatException * parseInt("Kona", 10) throws a NumberFormatException * parseInt("Kona", 27) returns 411787 *
没想通的一点是,常理来说(至少我是这样的哈)是考虑用加法,然后再根据符号位判断正负,但是源码中用的是减法。这点没想通是为什么,虽然也没差,感觉怪怪的。
digit = Character.digit(s.charAt(i++),radix);
这里的函数调用里面的代码也挺多的。根据该位上的字符和基数来得到对应的数字。