最近跟許多朋友聊了下,在這個「跳槽」的黃金季節,你們都有點蠢蠢欲動,因此最近就多聊聊面試的時候須要注意的一些問題,這些問題不必定多深奧,多複雜,可是一不注意的話卻容易掉坑。下面看一下面試的時候常常遇到的一段代碼:java
public class IntegerDemo { public static void main(String[] args) { Integer numA = 127; Integer numB = 127; Integer numC = 128; Integer numD = 128; System.out.println("numA == numB : "+ (numA == numB)); System.out.println("numC == numD : "+ (numC == numD)); } }
根據你們以往的經驗,會認爲上面的代碼用「==「符號來比較,對比的是對象的引用,那麼ABCD是不一樣的對象,因此輸出固然是false了。我在《「==」、「equals()」、「hashcode()」之間的祕密》這篇文章也討論過。那麼事實也是如此嗎?下面看一下輸出結果:面試
numA == numB : true numC == numD : false
What?這個輸出結果怎麼跟以往的認知有所出入呢?在咱們的代碼「Integer numA = 127」中,編譯器會把基本數據的「自動裝箱」(autoboxing)成包裝類,因此這行代碼就等價於「Integer numA = Integer.valueOf(127)」了,這樣咱們就能夠進入valueOf方法查看它的實現原理。數組
//Integer valueOf方法 public static Integer valueOf(int i) { if (i >= IntegerCache.low && i <= IntegerCache.high) return IntegerCache.cache[i + (-IntegerCache.low)]; return new Integer(i); } //Integer靜態內部類 private static class IntegerCache { static final int low = -128; static final int high; static final Integer cache[]; static { // high value may be configured by property int h = 127; String integerCacheHighPropValue = sun.misc.VM.getSavedProperty("java.lang.Integer.IntegerCache.high"); if (integerCacheHighPropValue != null) { try { int i = parseInt(integerCacheHighPropValue); i = Math.max(i, 127); // Maximum array size is Integer.MAX_VALUE h = Math.min(i, Integer.MAX_VALUE - (-low) -1); } catch( NumberFormatException nfe) { // If the property cannot be parsed into an int, ignore it. } } high = h; cache = new Integer[(high - low) + 1]; int j = low; for(int k = 0; k < cache.length; k++) cache[k] = new Integer(j++); // range [-128, 127] must be interned (JLS7 5.1.7) assert IntegerCache.high >= 127; } private IntegerCache() {} }
從上面的源碼能夠看到,valueOf方法會先判斷傳進來的參數是否在IntegerCache的low與high之間,若是是的話就返回cache數組裏面的緩存值,不是的話就new Integer(i)返回。緩存
那咱們再往上看一下IntegerCache,它是Integer的內部靜態類,low默認是-128,high的值默認127,可是high能夠經過JVM啓動參數XX:AutoBoxCacheMax=size來修改(如圖),若是咱們按照這樣修改了,而後再次執行上面代碼,這時候2次輸出都是true,由於緩存的區間變成-128~200了。微信
可是若是咱們是經過構造器來生成一個Integer對象的話,下面的輸出都是false。由於這樣不會走ValueOf方法,因此按照正常的對象對比邏輯便可。spa
public class IntegerDemo { public static void main(String[] args) { Integer numA = new Integer(127); Integer numB = new Integer(127); Integer numC = new Integer(128); Integer numD = new Integer(128); System.out.println("numA == numB : "+ (numA == numB));//false System.out.println("numC == numD : "+ (numC == numD));//false } }
還有須要注意的一點是,此類緩存行爲不只存在於Integer對象。還存在於其餘的整數類型Byte,Short,Long,Character。可是能改變緩存範圍的就只有Integer了。code
有時候每每越簡單的知識越容易掉坑裏,因此要保持本身的求知慾,不斷鞏固的基礎,才能讓本身在面試的時候不會栽跟頭。orm
文章始發於微信公衆號《深夜裏的程序猿》,天天分享最乾的乾貨,轉載請註明出處,侵權必究。對象