Java学习笔记

基本数据类型的包装类

2018-04-04  本文已影响32人  落在牛背上的鸟

包装类

Java提供了一组包装类,来包装所有的基本数据类型

基本数据类型 包装类
byte Byte
short Short
int Integer
long Long
float Float
double Double
char Character
boolean Boolean

以上包装类又分为两种子类型:

装箱与拆箱操作

基本数据类型与包装类之间的转换:

  1. 装箱操作:将基本数据类型变为包装类的形式:
  1. 拆箱操作:从包装类之中取出被包装的数据:

范例:int与Integer非自动拆、装箱

public class Integer2intDemo {
    public static void main(String[] args) {
        Integer obj = new Integer(10);      //将基本数据类型装箱
        int temp = obj.intValue();          //将包装后的数据拆箱
        System.out.println(temp);
    }
}

范例:自动拆、装箱

public class Integer2intDemo {
    public static void main(String[] args) {
        Integer obj2 = 10;      //自动装箱
        int temp2 = obj;        //自动装箱
        obj++;                  //包装类直接进行数学计算
        System.out.println(temp * obj);
    }
}

注意

public class Integer2intDemo {
    public static void main(String[] args) {
        Integer obja = 10;
        Integer objb = 10;
        Integer objc = new Integer(10);
        System.out.println(obja == objb);   //true
        System.out.println(obja == objc);   //false
        System.out.println(objb == objc);   //false
        System.out.println(obja.equals(objc));  //true
    }
}

使用包装类的时候很少会利用构造方法完成,几乎都是直接赋值,但是在判断内容是否相等的时候一定要使用equals()方法。

提示:此时Object可以接收一切的引用数据类型,因为存在自动装箱机制,所以Object也可以存放基本类型了。

public class Integer2intDemo {
    public static void main(String[] args) {
        Object obj3 = 10;   //先包装再转换
        //Object 不可能直接向下转型为int
        int temp3 = (Integer)obj3;  //向下转型为Integer后,自动拆箱
        System.out.println(temp3 * 2);
    }
}

数据类型转换(核心)

使用包装类最多的就是数据类型转换,在包装类里提供有将String型数据转换为基本数据类型的方法,使用几个代表的类说明:

范例:将字符串变为int型数据

public class Integer2intDemo {
    public static void main(String[] args) {
        String str = "123";     //字符串
        int temp4 = Integer.parseInt(str);
        System.out.println(temp4);
    }
}

此时实现了字符串变为基本数据类型的操作,但是这样的转换过程中:被转换的字符串一定是由数字组成
范例:错误代码

public class Integer2intDemo {
    public static void main(String[] args) {
        String str = "123a";        //字符串
        int temp4 = Integer.parseInt(str);
        System.out.println(temp4);
    }
}

Exception in thread "main" java.lang.NumberFormatException: For input string: "123a"
范例:观察boolean转换

        String str2 = "true";   //字符串
        boolean flag = Boolean.parseBoolean(str2);
        if (flag) {
            System.out.println("** 满足条件!");
        } else {
            System.out.println("** 不满足条件!");
        }

在Boolean进行转换的过程中,如果要转换的字符串不是true或者false,那么将统一按false处理。
现在既然实现了字符串变为基本数据类型的操作,那么也可以实现基本数据类型转换为字符串的操作:

        int num = 100;
        String str3 = num + "";     //变为String
        System.out.println(str3.replaceAll("0","9"));   //199

这样的操作虽然可以简单的完成,但是会存在垃圾问题。

        int num = 100;
        String str4 = String.valueOf(num);
        System.out.println(str4.replaceAll("0","9"));   //199

这样的操作不会产生垃圾,所以在开发的时往往会使用操作二。

总结

  1. JDK1.5之后才提供自动装箱与拆箱的操作;
  2. 字符串与基本数据类型的互相转换:
上一篇下一篇

猜你喜欢

热点阅读