Number
image.png数字类型都会继承Number抽象类,让我们来看看Number里面都有什么方法。
public abstract int intValue(); // 转型为int基本类型
public abstract long longValue();
public abstract float floatValue();
public abstract double doubleValue();
public byte byteValue() {
return (byte)intValue();
}
public short shortValue() {
return (short)intValue();
}
由此可以看出Number提供了常用数字类型之间的转换;需要注意的是如果高精度向低精度类型强转会导致精度丢失。
Integer
作为int的包装类;我们都知道Java有8大基本类型,char byte short int long float double boolean,与此对应的包装类型是 Character Byte Short Integer Long Float Double Boolean,但其实基本类型本质上也是class,只是由JVM来提供。
public static final Class<Integer> TYPE = (Class<Integer>) Class.getPrimitiveClass("int"); // int 原始class
// 类似int.class 原始类
// boolean.class byte.class short.class double.class float.class long.class char.class void.class 数组[].class
Java在进行计算时使用的是基本类型,所以为了方便起见,Java实现了自动装箱、拆箱机制。
Integer a100 = 100;
Integer a101 = 101;
System.out.println(a100 + a101);
// 编译后代码是:
Integer a100 = Integer.valueOf(100); // int 转化为Integer
Integer a101 = Integer.valueOf(101);
System.out.println(a100.intValue() + a101.intValue()); // 计算时转化为int
String <==> int
字符串转int
System.out.println(Integer.parseInt("1")); // 1 默认按照10进制处理
System.out.println(Integer.parseInt("123", 16)); // 按照16进制处理 Java支持2-36进制转换
System.out.println(Integer.decode("0x123")); // 支持 0x 16进制 0 8进制
int转字符串
System.out.println(a100.toString()); // 10进制转换
System.out.println(a100.toString(), 16); // 16进制转换
类中变量简介
private final int value; // 保存int值
@Native public static final int MIN_VALUE = 0x80000000; // 最小值 -2的32次方
@Native public static final int MAX_VALUE = 0x7fffffff; // 最大值 2的32次方-1
final static char[] digits = { // 所有可以表示一个数字的字符 10进制 16进制 32进制 支持2-36进制
'0' , '1' , '2' , '3' , '4' , '5' ,
'6' , '7' , '8' , '9' , 'a' , 'b' ,
'c' , 'd' , 'e' , 'f' , 'g' , 'h' ,
'i' , 'j' , 'k' , 'l' , 'm' , 'n' ,
'o' , 'p' , 'q' , 'r' , 's' , 't' ,
'u' , 'v' , 'w' , 'x' , 'y' , 'z'
};
缓存机制
System.out.println(Integer.valueOf(100) == Integer.valueOf(100)); // true
System.out.println(Integer.valueOf(200) == Integer.valueOf(200)); // false
之所以会出现100相等而200不相等是因为Integer中缓存机制引起的。
public static Integer valueOf(int i) {
if (i >= IntegerCache.low && i <= IntegerCache.high) // -128 ~ 127 java.lang.Integer.IntegerCache.high 可以通过JVM参数修改此值
return IntegerCache.cache[i + (-IntegerCache.low)];
return new Integer(i);
}
可以看到如果命中缓存那么直接使用缓存对象而不再创建新的对象,缓存范围是-127~128之间。
注意:在Integer进行比较时请使用equals方法而不是==,避免因为缓存问题导致出错。
public byte byteValue() {
return (byte)value; // int 与 byte 之间转换是强制转换,所以会导致精度丢失
}
@Override
public int hashCode() {
return Integer.hashCode(value);
}
public static int hashCode(int value) {
return value; // Integer hash值就是其值
}
1.8 add
public static int sum(int a, int b) {
return a + b;
}
public static int max(int a, int b) {
return Math.max(a, b);
}
public static int min(int a, int b) {
return Math.min(a, b);
}
注意1.8版本添加了新的方法,在进行数字之间计算时可以直接调用这些方法。
网友评论