可互换地使用 int 和 Integer
当你使用具有实用程序类的泛型类型时,你可能经常发现当指定为对象类型时,数字类型不是很有用,因为它们不等于它们的原始对应类型。
List<Integer> ints = new ArrayList<Integer>();
Version >= Java SE 7
List<Integer> ints = new ArrayList<>();
幸运的是,当需要时,可以使用评估为 int
的表达式来代替 Integer
。
for (int i = 0; i < 10; i++)
ints.add(i);
ints.add(i);
语句相当于:
ints.add(Integer.valueOf(i));
并保留 Integer#valueOf
的属性,例如当 JVM 在数字缓存范围内时,具有相同的 Integer
对象。
这也适用于:
byte
和Byte
short
和Short
float
和Float
double
和Double
long
和Long
char
和Character
boolean
和Boolean
但是,在模棱两可的情况下必须小心。请考虑以下代码:
List<Integer> ints = new ArrayList<Integer>();
ints.add(1);
ints.add(2);
ints.add(3);
ints.remove(1); // ints is now [1, 3]
java.util.List
接口包含 remove(int index)
(List
接口方法)和 remove(Object o)
(从 java.util.Collection
继承的方法)。在这种情况下,不会发生拳击并且会调用 remove(int index)
。
另一个由自动装箱引起的奇怪的 Java 代码行为的例子整数的值从 -128
到 127
:
Integer a = 127;
Integer b = 127;
Integer c = 128;
Integer d = 128;
System.out.println(a == b); // true
System.out.println(c <= d); // true
System.out.println(c >= d); // true
System.out.println(c == d); // false
这是因为 >=
运算符隐式调用 intValue()
,它返回 int
而 ==
比较引用,而不是 int
值。
默认情况下,Java 缓存 [-128, 127]
范围内的值,因此运算符 ==
可以工作,因为如果它们的值相同,则此范围内的 Integers
引用相同的对象。可以使用 -XX:AutoBoxCacheMax
JVM 选项定义可缓存范围的最大值。因此,如果你使用 -XX:AutoBoxCacheMax=1000
运行程序,以下代码将打印 true
:
Integer a = 1000;
Integer b = 1000;
System.out.println(a == b); // true