美文网首页程序员基础JAVA
Java基础系列-instanceof关键字

Java基础系列-instanceof关键字

作者: 唯一浩哥 | 来源:发表于2019-02-14 09:48 被阅读29次

    原创文章,转载请标注出处:《Java基础系列-instanceof关键字》


    instanceof关键字是在Java类中实现equals方法最常使用的关键字,表示其左边的对象是否是右边类型的实例,这里右边的类型可以扩展到继承、实现结构中,可以是其真实类型,或者真实类型的超类型、超接口类型等。

    instanceof左边必须是对象实例或者null类型,否则无法通过编译。

    instanceof右边必须是左边对象的可转换类型(可强转),否则无法通过编译。

    使用实例:

    interface IFather1{}
    interface ISon1 extends IFather1{}
    class Father1 implements IFather1{}
    class Son1 extends Father1 implements ISon1{}
    public class InstanceofTest {
        public static void main(String[] args){
            Father1 father1 = new Father1();
            Son1 son1 = new Son1();
            System.out.println(son1 instanceof IFather1);//1-超接口
            System.out.println(son1 instanceof Father1);//2-超类
            System.out.println(son1 instanceof ISon1);//3-当前类
            System.out.println(father1 instanceof IFather1);//4-超接口
            System.out.println(father1 instanceof ISon1);//false
        }
    }
    

    执行结果为:

    true
    true
    true
    true
    false
    

    如上实例所示:除了最后一个,前四个全部为true,查看类的继承关系如下:



    可以明显看到,Son1类是最终的类,其对象son1可以instanceof上面所以的接口和类(IFather1、ISon1、Father1、Son1),而Father1的实例father1上级只有IFather1接口和本类Father1能instanceof,其余均无法成功。

    这样我们就能理解instanceof的用途了,最后说说其在equals中的作用,我们来看个简单的equals实现(来自java.lang.String类):

    public boolean equals(Object anObject) {
        if (this == anObject) {
            return true;
        }
        if (anObject instanceof String) {
            String anotherString = (String) anObject;
            int n = value.length;
            if (n == anotherString.value.length) {
                char v1[] = value;
                char v2[] = anotherString.value;
                int i = 0;
                while (n-- != 0) {
                    if (v1[i] != v2[i])
                            return false;
                    i++;
                }
                return true;
            }
        }
        return false;
    }
    

    明显在第5行使用到了instanceof关键字,其目的就是为了判断给定的参数对象是否是String类的实例。区别于getClass()方法,后者得到的是当前对象的实际类型,不带继承关系。

    System.out.println(son1.getClass());
    System.out.println(father1.getClass());
    

    结果为:

    class Son1
    class Father1
    

    参考:

    相关文章

      网友评论

        本文标题:Java基础系列-instanceof关键字

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