public class TestInteger {
public static void main(String[] args) {
Integer a = 100;
Integer b = 100;
Integer c = 200;
Integer d = 200;
System.out.println(a == b);
System.out.println(c == d);
}
}
运行结果:
true
false
为什么会出现这种情况呢?肯定有一部分人认为,这两个输出的都是false。
这里用到了自动装箱的机制,自动装箱调用的是Integer的valueOf ()方法,如下,反编译后可以看出。
反编译
知道Integer是调用valueOf()方法进行自动装箱后,接下来我们一起来看看Integer类中valueOf() 的源码
/**
* Returns an {@code Integer} instance representing the specified
* {@code int} value. If a new {@code Integer} instance is not
* required, this method should generally be used in preference to
* the constructor {@link #Integer(int)}, as this method is likely
* to yield significantly better space and time performance by
* caching frequently requested values.
*
* This method will always cache values in the range -128 to 127,
* inclusive, and may cache other values outside of this range.
*
* @param i an {@code int} value.
* @return an {@code Integer} instance representing {@code i}.
* @since 1.5
*/
public static Integer valueOf(int i) {
if (i >= IntegerCache.low && i <= IntegerCache.high)
return IntegerCache.cache[i + (-IntegerCache.low)];
return new Integer(i);
}
通过源码可以看出,该方法将始终缓存-128到127范围内的值,就是如果要进行装箱的值在-128和127之间,就不会重新new一个新的Integer对象了,直接在缓存中直接拿就行了。
- 因此100都是在缓存中拿的,所以对象的地址肯定一样,返回true。
- 200因为不在-128和127之间,所以对象的地址不一样,返回false。
网友评论