JAVA基础重温--Integer,int的区别

时间:2022-04-14 17:34:47

一.在自动拆箱(jdk1.5以上)
Integer a = new Integer(127);
Integer b = 127;
int c = 127;
Integer d = 127;
Integer a2 = new Integer(128);
Integer b2 = 128;
int c2 = 128;
Integer d2 = 128;
System.out.println( “");
System.out.println( a == b); //false
System.out.println( "
“);
System.out.println( b == c); //true
System.out.println( “");
System.out.println( a == c); //true
System.out.println( "
“);
System.out.println( b == d); //true
System.out.println( “");
System.out.println( a2 == b2); //false
System.out.println( "
“);
System.out.println( b2 == c2); //true
System.out.println( “");
System.out.println( a2 == c2); //true
System.out.println( "
“);
System.out.println( b2 == d2); //false

有兴趣的可以去看看底层源码:(这里展示:)
1 public static Integer valueOf(int i) {
2 assert IntegerCache.high >= 127;
3 if (i >= IntegerCache.low && i <= IntegerCache.high)
4 return IntegerCache.cache[i + (-IntegerCache.low)];
5 return new Integer(i);

看一下源码大家都会明白,对于-128到127之间的数,会进行缓存,Integer b = 127时,会将127进行缓存,下次再写Integer d = 127时,就会直接从缓存中取,就不会new了。所以b=d结果为true,而b2=d2行为false。

我对于以上的情况总结如下:

①无论如何,Integer与new Integer不会相等。不会经历拆箱过程,a的引用指向堆,而b指向专门存放他的内存(常量池),他们的内存地址不一样,所以为false
②两个都是非new出来的Integer,如果数在-128到127之间,则是true,否则为false
java在编译Integer i2 = 128的时候,被翻译成-> Integer i2 = Integer.valueOf(128);而valueOf()函数会对-128到127之间的数进行缓存
③两个都是new出来的,都为false
④int和integer(无论new否)比,都为true,因为会把Integer自动拆箱为int再去比

参考链接:http://www.cnblogs.com/liuling/archive/2013/05/05/intAndInteger.html