Integer 是 int 的包装类,是引用数据类型,但是当数值在 -128到127之间,他会被当做常量,放在常量池中,所以可以在这之间的数的变量具有基本数据类型的特征,及 == 时,比较的是值,而不是地址。这种缓存机制不是只有Integer实现了,同样存在于其他的包装类中。如Boolean Boolean.TRUE,Boolean.False,Short -128~127,Byte 全部缓存,Character 缓存范围 ‘\u0000’ 到 ‘\u007F’(127),但是是可以修改的,在vm中修改即可调整缓存大小。
原则上建议避免自动装箱,拆箱行为,尤其是在性能敏感。
以Integer为例,代码如下:
一、修改VM参数前
public class TestInteger {
public static void main(String[] args) {
Integer i1 = 127;
Integer i2 = 127;
Integer i3 = new Integer(127);
Integer i4 = new Integer(127);
Integer i5 = 128;
Integer i6 = 128;
Character c = '\u007F';
int i = c;
System.out.println(i);
System.out.println(i1==i2);
System.out.println(i3==i4);
System.out.println(i5==i6);
}
}
输出结果是
二、修改VM参数后
添加 -Djava.lang.Integer.IntegerCache.high=128参数
还是之前那段代码,运行之后
而之所以可以这样修改是因为,在Integer类中有一个静态内部类,它会取去获取配置的参数。
private static class IntegerCache {
//缓存的下界,-128,不可变
static final int low = -128;
//缓存上界,暂为null
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() {}
}
总结:
一、在使用包装类时,尽量不要使用==去比较,使用equals才会真正比较值。
二、-XX:AutoBoxCacheMax这个参数是设置Integer缓存上限的参数,在VM初始化期间java.lang.Integer.IntegerCache.high属性可以被设置和保存在私有的系统属性sun.misc.VM class中。理论上讲,当系统需要频繁使用Integer时,或者说堆内存中存在大量的Integer对象时,可以考虑提高Integer缓存上限,避免JVM重复创造对象,提高内存的使用率,减少GC的频率,从而提高系统的性能。理论归理论,这个参数能否提高系统系统关键还是要看堆中Integer对象到底有多少、以及Integer的创建的方式。如果堆中的Integer对象很少,重新设置这个参数并不会提高系统的性能。即使堆中存在大量的Integer对象,也要看Integer对象时如何产生的。
- 大部分Integer对象通过Integer.valueOf()产生。说明代码里存在大量的拆箱与装箱操作。这时候设置这个参数会系统性能有所提高。
- 大部分Integer对象通过反射,new产生。这时候Integer对象的产生大部分不会走valueOf()方法,所以设置这个参数也是无济于事
(参考链接:https://www.cnblogs.com/antfin/p/10307245.html
https://blog.csdn.net/wang704987562/article/details/61617595
https://blog.csdn.net/qq_36791569/article/details/80438292)