写点什么

从 Integer 开始阅读 JDK 源码

用户头像
指尖流逝
关注
发布于: 2020 年 05 月 03 日
从Integer开始阅读JDK源码

本文主要内容:

  • Number抽象类的作用

  • IntegerCache的缓存机制

public final class Integer extends Number implements Comparable<Integer> {
// ...
}

从类的定义可知,Integer是一个可比较的不可变类,继承自Number类。



Number接口

Number类提供了以下接口,用于在int、long、float、double、byte、short之间进行伸缩转换。



IntegerCache

在Integer类的内部,定义了一个私有的静态内部类IntegerCache。用来缓存-128 ~ 127 之间的int元素类型的包装类对象。其中缓存的最大值可以通过启动参数 java.lang.Integer.IntegerCache.high 指定大小。

private static class IntegerCache {
static final int low = -128;
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() {}
}

我们可以在使用Integer类时,可以通过 Integer.valueOf(int value) 来利用这个缓存机制。

public static Integer valueOf(int i) {
if (i >= IntegerCache.low && i <= IntegerCache.high)
return IntegerCache.cache[i + (-IntegerCache.low)];
return new Integer(i);
}



发布于: 2020 年 05 月 03 日阅读数: 56
用户头像

指尖流逝

关注

还未添加个人签名 2017.10.17 加入

还未添加个人简介

评论

发布
暂无评论
从Integer开始阅读JDK源码