1.用法表达式
result = obj instanceof class
result:布尔类型。
obj:必选项。任意对象表达式。
class:必选项。任意已定义的对象类。
例:String s = "123";
if(s instanceof String){
System.out.println("s的类型为String类型")
}
instanceof使用范围:instanceof比较的是对象,不能比较基本类型,否则会报错;
2.原理
检测obj对象是不是class类型的实例的原理是:class类型是否在obj所有父类和自身组成的集合M里(包括实现的接口),如果在result为true,如果不在为false;
3.例子
public interface A {}
public class B implements A {}
public class C {}
A a = new B();
B b = new B();
C c = new C();
System.out.println(a instanceof Object);//因为Object是所有类的基类,a的父类和自身的集合M={B,A,Object},故为true
System.out.println(a instanceof B);//因为a的实际类型为B,a的父类和自身的集合M = {B,A,Object},,B属于集合M,故为true。
System.out.println(b instanceof B);
System.out.println(c instanceof A);//c的类型为C,A不在C的M集合里,故为false;
结果:
true
true
true
false