Java Integer.parseInt() 原始碼解析
阿新 • • 發佈:2018-11-22
#原始碼解析如下 public static int parseInt(String s, int radix) { /* * WARNING: This method may be invoked early during VM initialization * before IntegerCache is initialized. Care must be taken to not use * the valueOf method. */ //需要轉換的字串是否為null if (s == null) { throw new NumberFormatException("null"); } //一下兩個if用於判斷基數(也就是進位制)是否在 2~36之間,比如10進位制的數字,radix就填寫10 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; //-2147483647 預設取最大整數的取反值 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); if (len == 1) // Cannot have lone "+" or "-" throw NumberFormatException.forInputString(s); i++; } //計算multmin 值 ,multmin = -214748364 負數跟整數的limit是不同的 multmin = limit / radix; //開始迴圈追加數字,比如輸入“123” 10進位制數 while (i < len) { //獲取字元轉換成對應進位制的整數,如上,這裡第一次迴圈獲取1 //第二次迴圈獲取2 //第三次迴圈獲取3 digit = Character.digit(s.charAt(i++),radix); if (digit < 0) { throw NumberFormatException.forInputString(s); } /*/判斷,在追加後一個數字前,判斷其是否能能夠在繼續追加數字,比如multmin = 123 那麼再繼續追加就會變為123*10+下一個數字,就會溢位 */ if (result < multmin) { throw NumberFormatException.forInputString(s); } //第一次迴圈 result = 0; //第二次迴圈 result = -10; //第三次迴圈 result = -120; result *= radix; /* 用於判斷下一個準備追加的數字是否可以追加,比如result現在是120,那麼,如果digit是5, 那麼追加後就會變為125,已經超過123的限制了,注意這裡是limit而不是multmin */ if (result < limit + digit) { //第一次迴圈 limit + digit = -214748364+1; //第二次迴圈 limit + digit = -214748364+2; //第三次迴圈 limit + digit = -214748364+3; throw NumberFormatException.forInputString(s); } result -= digit; //第一次迴圈 result = -1; //第二次迴圈 result = -12; //第三次迴圈 result = -123; } } else { throw NumberFormatException.forInputString(s); } return negative ? result : -result; //negative 值為false,所以 -result = -(-123) = 123 返回結果 }