如何通过Java中的接口对象访问派生的类成员变量?

时间:2019-03-25 05:24:05

标签: java inheritance extends implements

我是新来的Java程序员。

我具有以下类层次结构:

public interface base

public interface Object1Type extends base

public interface Object2Type extends Object1Type

public class Object3Type implements Object2Type
{ 
      byte[] value;
} 

我还有另一个类,其中有一个Object1Type a对象;

我可以使用此对象a访问Object3Type类型的byte []值成员吗?

1 个答案:

答案 0 :(得分:1)

您可以使用class cast

public static void main(String args[]) {
    Object1Type a = new Object3Type();

    if (a instanceof Object3Type) {
        Object3Type b = (Object3Type) a;
        byte[] bytes = b.value;
    }
}

但这是危险的,不建议您这样做。强制转换正确性的责任在于程序员。参见示例:

class Object3Type implements Object2Type {
    byte[] value;
}

class Object4Type implements Object2Type {
    byte[] value;
}

class DemoApplication {

    public static void main(String args[]) {
        Object1Type a = new Object3Type();

        Object3Type b = (Object3Type) a; // Compiles and works without exceptions
        Object4Type c = (Object4Type) a; // java.lang.ClassCastException: Object3Type cannot be cast to Object4Type
    }
}

如果这样做,至少要事先使用instanceof运算符检查对象。

我建议您在一个接口(现有接口或新接口)中声明一些getter并在类中实现此方法:

interface Object1Type extends Base {
    byte[] getValue();
}

interface Object2Type extends Object1Type {}

class Object3Type implements Object2Type {
    byte[] value;

    public byte[] getValue() {
        return value;
    }
}

class DemoApplication {

    public static void main(String args[]) {
        Object1Type a = new Object3Type();
        byte[] bytes = a.getValue();
    }
}