- Java数据类型
在Java中,数据类型可以分为两大种,Primitive Type(基本类型)和Reference Type(引用类型).基本类型的数值不是对象,不能调用toString(),hashCode(),getClass(),equals()等方法.所以Java提供了针对每种基本类型的包装类型
index | 基本类型 | 大小 | 数值范围 | 默认值 | 包装类型 |
---|---|---|---|---|---|
1 | boolean | -- | true/false | false | Boolean |
2 | byte | 8bit | -27--27-1 | 0 | Byte |
3 | char | 16bit | \u0000 - \uffff | \u0000 | Character |
4 | short | 16bit | -2^15 -- 2^15-1 | 0 | Short |
5 | int | 32bit | -2^31 -- 2^31-1 | 0 | Integer |
6 | long | 64bit | -2^63 -- 2^63-1 | 0 | Long |
7 | float | 32bit | IEEE 754 | 0.0f | Float |
8 | double | 64bit | IEEE 754 | 0.0d | Double |
9 | void | --- | --- | --- | Void |
-
Java自动装箱和拆箱定义
Java 1.5中引入了自动装箱和拆箱机制:
-
自动装箱:把基本类型用它们对应的引用类型包装起来,使它们具有对象的特质,可以调用toString()、hashCode()、getClass()、equals()等方法。
如下:
Integer a=3;//这是自动装箱
其实编译器调用的是static Integer valueOf(int i)这个方法,valueOf(int i)返回一个表示指定int值的Integer对象,那么就变成这样:
Integer a=3; => Integer a=Integer.valueOf(3);
-
拆箱:跟自动装箱的方向相反,将Integer及Double这样的引用类型的对象重新简化为基本类型的数据。
如下:
int i = new Integer(2);//这是拆箱
编译器内部会调用int intValue()返回该Integer对象的int值
注意:自动装箱和拆箱是由编译器来完成的,编译器会在编译期根据语法决定是否进行装箱和拆箱动作。
-
-
疑问解答
5.1. 看IntegerCache的源码可以知道Integer的缓存至少要覆盖[-128, 127]的范围,为什么?
参见《The Java™Language Specification Java SE 7Edition 5.1.7》Boxing Conversion的描述
If the valuepbeing boxed is true, false, a byte, or a char inthe range \u0000 to \u007f,or an int or short number between -128 and 127 (inclusive),then let r1and r2 be the results of any two boxing conversions of p. It is always the case thatr1==r2.
如果被装箱的值为true, false,一个字节,或在range \u0000到\u007f中,或在-128和127之间的整数或短数,那么让r1和r2是p的任何两个装箱转换的结果,它总是r1==r2。
5.2. 其它基本数据类型对应的包装类型的自动装箱池大小
Byte,Short,Long对应的是-128~127 Character对应的是0~127 Float和Double没有自动装箱池
-
总结
Java使用自动装箱和拆箱机智,节省了常用数值的内存开销和创建对象的开销,提高了效率.通过上面的研究和测试.
- Integer和int之间可以进行各种比较;Integer对象将自动拆箱后与int值比较
- 两个Integer对象之间也可以用>,<等符号比较大小;两个integer对象拆箱后,再比较大小
- 两个Integer对象最好不要用==比较,因为:-128~127范围(一般是这个范围)内是去换村内对象,所以相等,该范围外是两个不同对象引用比较,所以不等.
网友评论