美文网首页JAVA面试必备基础知识点
第七章、int和Integer的区别

第七章、int和Integer的区别

作者: 小母牛不生产奶 | 来源:发表于2018-10-24 12:27 被阅读15次

    1.基本类型:long,int,byte,float,double,char

    2. 对象类型(类): Long,Integer,Byte,Float,Double,Char,String


    int和Integer的区别

    1、Integer是int的包装类,int则是java的一种基本数据类型

    2、Integer变量必须实例化后才能使用,而int变量不需要

    3、Integer实际是对象的引用,当new一个Integer时,实际上是生成一个指针指向此对象;而int则是直接存储数据值

    4、Integer的默认值是null,int的默认值是0


    延伸:

    关于Integer和int的比较

    1、由于Integer变量实际上是对一个Integer对象的引用,所以两个通过new生成的Integer变量永远是不相等的(因为new生成的是两个对象,其内存地址不同)。

    Integer i =newInteger(100);

    Integer j =newInteger(100);

    System.out.print(i == j); //false

    2、Integer变量和int变量比较时,只要两个变量的值是相等的,则结果为true(因为包装类Integer和基本数据类型int比较时,java会自动拆包装为int,然后进行比较,实际上就变为两个int变量的比较)

    Integer i = newInteger(100);

    int j =100;

    System.out.print(i == j); //true

    3、非new生成的Integer变量和new Integer()生成的变量比较时,结果为false。(因为非new生成的Integer变量指向的是java常量池中的对象,而new Integer()生成的变量指向堆中新建的对象,两者在内存中的地址不同)

    Integer i =newInteger(100);

    Integer j =100;

    System.out.print(i == j); //false

    4、对于两个非new生成的Integer对象,进行比较时,如果两个变量的值在区间-128到127之间,则比较结果为true,如果两个变量的值不在此区间,则比较结果为false

    Integer i =100;

    Integer j =100;

    System.out.print(i == j); //true

    Integer i =128;

    Integer j =128;

    System.out.print(i == j); //false

    对于第4条的原因:

    java在编译Integer i = 100 ;时,会翻译成为Integer i = Integer.valueOf(100);,而java API中对Integer类型的valueOf的定义如下:

    publicstaticIntegervalueOf(int i){

    assert IntegerCache.high >=127;

    if (i >= IntegerCache.low && i <= IntegerCache.high){

    return IntegerCache.cache[i + (-IntegerCache.low)];

    }

    returnnew Integer(i);

    }

    java对于-128到127之间的数,会进行缓存,Integer i = 127时,会将127进行缓存,下次再写Integer j = 127时,就会直接从缓存中取,就不会new了


    其他基本类型类似

    publicclass TestHundun {

        publicstaticvoid main(String[] args) {

            /**        * long 是基本类型

            * Long是对象类型,进行比较时:若验证相等则取地址,数值为(-128~127)则相等,

            * 因为这段数值取的是相同的地址,其余的则不相等,验证相等可用longValue(),可用equals();

            */longa = 123456;

            longb = 123456;

            Long c = 123456L;

            Long d = 123456L;

            Long e = 123457L;

            System.out.println("(long)a==b:"+(a==b));

            System.out.println("(Long)c==d:"+(c==d));

            System.out.println("(Long)d

            System.out.println("正确验证c==d:"+(c!=null&&c.equals(d)));

            System.out.println("longValue():"+(c.longValue()==d.longValue()));

        }

    }

    相关文章

      网友评论

        本文标题:第七章、int和Integer的区别

        本文链接:https://www.haomeiwen.com/subject/zcittqtx.html