instanceof用于判断对象是否为某类或其子类实例,返回boolean值;常用于向下转型前的类型安全检查,避免ClassCastException;支持继承、多态及接口实现判断,null比较时返回false,编译时会检查类型兼容性,合理使用可提升代码健壮性。

在Java中,instanceof 是一个二元操作符,用于判断某个对象是否是特定类或其子类的实例。它常用于类型安全检查,特别是在向下转型(downcasting)之前使用,避免发生 ClassCastException。
instanceof 的基本语法
表达式形式如下:
对象引用 instanceof 类名返回值为 boolean 类型:如果对象是该类或其子类的实例,返回 true;否则返回 false。
常见使用场景
1. 判断基本继承关系
立即学习“Java免费学习笔记(深入)”;
String str = "Hello";System.out.println(str instanceof String); // true
System.out.println(str instanceof Object); // true,因为 String 继承自 Object
2. 向下转型前的安全检查
Object obj = new String("测试");if (obj instanceof String) {
String s = (String) obj;
System.out.println("转换成功:" + s);
}
如果不做 instanceof 判断,直接强转非兼容类型会抛出异常。
3. 与继承和多态结合使用
class Animal {}class Dog extends Animal {}
class Cat extends Animal {}
Animal a = new Dog();
System.out.println(a instanceof Animal); // true
System.out.println(a instanceof Dog); // true
System.out.println(a instanceof Cat); // false
注意事项
null 值判断:instanceof 对 null 返回 false,不会抛异常。
String str = null;System.out.println(str instanceof String); // false
编译时类型检查:如果对象的类型在编译时无法转换,代码将无法通过编译。
Integer num = 100;System.out.println(num instanceof String); // 编译错误!Integer 和 String 无继承关系
接口实现判断:instanceof 也可用于判断对象是否实现了某个接口。
ListSystem.out.println(list instanceof List); // true
System.out.println(list instanceof ArrayList); // true
System.out.println(list instanceof Collection); // true










