欢迎您访问程序员文章站本站旨在为大家提供分享程序员计算机编程知识!
您现在的位置是: 首页

编码注意的细节

程序员文章站 2024-03-23 21:23:16
...
1.构造基础类型的包装类型时,建议用包装类型的valueOf方法,会提高性能。
[b]Integer.valueOf的实现源码[/b]
public static Integer valueOf(int i) {
final int offset = 128;
if (i >= -128 && i <= 127) { // must cache
return IntegerCache.cache[i + offset];
}
return new Integer(i);
}
[color=red]对于-128~127之间的整数,在构建包装类型时,优先从整型池中获取。[/color]

[b]下面是测试代码[/b]

public static void main(String[] args) throws IOException {
long time = System.currentTimeMillis();

Integer value = null;
for (int i = 0; i < 100000000; i++) {
value = new Integer(1);
}
System.out.println("构造函数方式花费时间:" + (System.currentTimeMillis() - time));

time = System.currentTimeMillis();
for (int i = 0; i < 100000000; i++) {
value = Integer.valueOf(1);
}
System.out.println("装包方式花费时间:" + (System.currentTimeMillis() - time));
}

上面程序运行结果:
构造函数方式花费时间:1578
装包方式花费时间:375

可以看出,当次数达到一定数量级时,性能提升还是很明显的。