更新時(shí)間:2020-10-29 來(lái)源:黑馬程序員 瀏覽量:
1、Integer是int的包裝類,int則是java的一種基本數(shù)據(jù)類型 ;
2、Integer變量必須實(shí)例化后才能使用,而int變量不需要 ;
3、Integer實(shí)際是對(duì)象的引用,當(dāng)new一個(gè)Integer時(shí),實(shí)際上是生成一個(gè)指針指向此對(duì)象;而int則是直接存儲(chǔ)數(shù)據(jù)值;
4、Integer的默認(rèn)值是null,int的默認(rèn)值是0;
問(wèn)題一:
public static void main(String[] args) { Integer a = 100; Integer b = 100; System.out.println(a == b); Integer c = 200; Integer d = 200; System.out.println(c == d); }
請(qǐng)問(wèn):a==b的值以及c==d的值分別是多少?
答案: a==b為true; c==d為false
原因分析:
Integer a = 100;實(shí)際上會(huì)被翻譯為: Integer a = ValueOf(100);
從緩存中取出值為100的Integer對(duì)象;同時(shí)第二行代碼:Integer b = 100; 也是從常量池中取出相同的緩存對(duì)象,因此a跟b是相等的;而c 和 d
因?yàn)橘x的值為200,已經(jīng)超過(guò) IntegerCache.high
會(huì)直接創(chuàng)建新的Integer對(duì)象,因此兩個(gè)對(duì)象相?較肯定不相等,兩者在內(nèi)存中的地址不同。
問(wèn)題二:
Integer a = 100; int b = 100; System.out.println(a == b);
Integer a = new Integer(100); int b = 100; System.out.println(a == b);
輸出結(jié)果是什么?
答案為:ture,因?yàn)閍會(huì)進(jìn)行自動(dòng)動(dòng)拆箱取出對(duì)應(yīng)的int值進(jìn)行比較,因此相等。
問(wèn)題三:
Integer a = new Integer(100); Integer b = new Integer(100); System.out.println(a == b);
輸出結(jié)果是什么?
答案為:false,因?yàn)閮蓚€(gè)對(duì)象相比較,比較的是內(nèi)存地址,因此肯定不相等。
問(wèn)題四:
最后再來(lái)一道發(fā)散性問(wèn)題,大家可以思考下輸出的結(jié)果為多少:
public static void main(String[] args) throws NoSuchFieldException, IllegalAccessException { Class cache = Integer.class.getDeclaredClasses()[0]; Field myCache = cache.getDeclaredField("cache"); myCache.setAccessible(true); Integer[] newCache = (Integer[]) myCache.get(cache); newCache[132] = newCache[133]; int a = 2; int b = a + a; System.out.printf("%d + %d = %d", a, a, b); }
答案為: 2 + 2 = 5. 大家可以下來(lái)好好思考下為什么會(huì)得到這個(gè)答案?
猜你喜歡: