java-----instanceof與getClass的區別

懒惰的星期六發表於2024-09-14

java-----instanceof與getClass的區別
在比較一個類是否和另一個類屬於同一個類例項的時候,我們通常可以採用instanceof和getClass兩種方法透過兩者是否相等來判斷,但是兩者在判斷上面是有差別的,下面從程式碼中看看區別:

public class Test
{
	public static void testInstanceof(Object x)
	{
		System.out.println("x instanceof Parent:  "+(x instanceof Parent));
		System.out.println("x instanceof Child:  "+(x instanceof Child));
		System.out.println("x getClass Parent:  "+(x.getClass() == Parent.class));
		System.out.println("x getClass Child:  "+(x.getClass() == Child.class));
	}
	public static void main(String[] args) {
		testInstanceof(new Parent());
		System.out.println("---------------------------");
		testInstanceof(new Child());
	}
}
class Parent {
 
}
class Child extends Parent {
 
}
/*
輸出:
x instanceof Parent:  true
x instanceof Child:  false
x getClass Parent:  true
x getClass Child:  false
---------------------------
x instanceof Parent:  true
x instanceof Child:  true
x getClass Parent:  false
x getClass Child:  true
*/

從程式輸出可以看出,instanceof進行型別檢查規則是:你屬於該類嗎?或者你屬於該類的派生類嗎?而透過getClass獲得型別資訊採用==來進行檢查是否相等的操作是嚴格的判斷。不會存在繼承方面的考慮;

instanceof 與 getClass

1 instanceof
子類物件 Instanceof 父類class,為true

    @Override
    public boolean equals(Object obj) {
        if (this == obj) {
            return true;
        }
        if (!(obj instanceof WimComplexProperty)) {
            return false;
        }
        JavaBean other = (JavaBean) obj;
        return Objects.equals(this.getId(), other.getId());

2 getClass
子類物件 obj.getClass() == 父類class,為false

    @Override
    public boolean equals(Object obj) {
        if (this == obj) {
            return true;
        }
        if (obj == null || getClass() != obj.getClass()) {
            return false;
        }
        JavaBean other = (JavaBean) obj;
        return Objects.equals(this.getId(), other.getId());

相關文章