文章目录
一、基本数据类型和对应的包装类
除了 Integer 和 Character, 其余基本类型的包装类都是首字母大写。
二、装箱和拆箱
装箱操作,新建一个 Integer 类型对象,将a的值放入对象的某个属性中
- int a = 10;
- Integer a1 = a; //自动装箱
- Integer a2 = (Integer) a; //自动装箱
- Integer a3 = new Integer(a); //手动装箱
- Integer a4 = Integer.valueOf(a);//手动装箱
拆箱操作,将 Integer 对象中的值取出,放到一个基本数据类型中
- int b = a1.intValue(); //手动拆箱
- int b1 = a1; //自动拆箱
- int b2 = (int) a1; //自动拆箱
- float b3 = a1.floatValue(); //手动拆箱
- double b4 = a1.doubleValue(); //手动拆箱
三、Integer类型把[-128~127]的数据缓存了,这个范围的数据直接取出,不需要新new对象。
思考题:输出结果是什么?
- public static void main(String[] args){
- Integer a = 127;
- Integer b = 127;
- Integer c = 128;
- Integer d = 128;
- System.out.println(a == b);
- System.out.println(c == d);
- }
答案是:true false
这里就涉及到了装箱的问题,装箱的时候会调用到valueOf方法。我们进入valueOf的原码,就可以看到:
- public static Integer valueOf(int i) {
- if (i >= IntegerCache.low && i <= IntegerCache.high)
- return IntegerCache.cache[i + (-IntegerCache.low)];
- return new Integer(i);
- }
通过输出的结果不难推测出,当a=b=127的时候,应该是进了If语句,没有new 对象就返回了,所以a和b是相等的。当a=b=128的时候,应该是new Integer(i),所以不相等。
接下来继续看源码,继续看看具体的原因是什么?
不难看出,当 i 的值在-128和127之间[-128,127],就会进入If语句。
接下来,再看cache具体是什么?
cache是一个数组,而且被static final 修饰,它所指向的数组对象不能被改变。-128~127之间共有256个数据,比如现在i=-128,那么就会在数组的-128 + (-(-128))= 0,即0下标取出-128。即最大值能取出127,即下标为255。这样就能够解释为什么 127能够相等,128就不相等了,因为当为128的时候,此时需要new 对象。
其实这样做的好处就是,一些频繁使用的小的数据就不要每次都去new了。