Java 继承 域隐藏 Field Hiding 及静态方法隐藏 Method Hiding

更多 Java 基础知识方面的文章,请参见文集《Java 基础知识》


关于继承

  • 子类继承了父类中的非私有方法和变量,即 publicprotected 方法和变量
  • 私有方法和变量也会被继承,只是不可见
  • 方法可以 override
  • 变量不可以 override,只会被隐藏,参见下面的章节。

域隐藏 Field Hiding

当子类继承父类时,如果出现了相同的字段,父类不会覆盖子类的字段,只是将其隐藏。

域字段属于静态绑定,编译期决定,取决于引用类型。

例如下面的代码中:

  • 域字段 i 属于静态绑定,编译期决定,取决于引用类型 Base
  • 方法 f() 属于动态绑定,运行时决定,取决于实际类型 Derived
  • 如果写成 Derived d = new Derived();,则 d.id.f() 都是子类自身的变量和方法,如果想在子类中访问父类的变量和方法,可以通过 super.isuper.f()
public class FileHiding_Test {
    public static void main(String[] args) {
        Base b = new Derived();

        // 输出 1
        // 因为域字段属于静态绑定,编译期决定,取决于引用类型 Base
        System.out.println(b.i);


        // 编译错误
        // 因为域字段属于静态绑定,编译期决定,取决于引用类型 Base,而 Base 中不包含字段 j
        System.out.println(b.j);

        // 输出 2
        // 因为方法属于动态绑定,运行时决定,取决于实际类型 Derived
        System.out.println(b.f());
    }
}

class Base {
    public int i = 1;

    public int f() {
        return i;
    }
}

class Derived extends Base {
    public int i = 2;
    public int j = 3;

    public int f() {
        return i;
    }
}

静态方法隐藏 Method Hiding

如果子类重写了父类的私有方法或者静态方法,则不能算作 Method Overriding,只能叫做 Method Hiding, 私有方法或者静态方法属于静态绑定,编译期决定,取决于引用类型。

例如下面的代码中:

  • 虽然子类的方法与父类的方法有相同的签名,但是由于该方法是静态方法,因此该方法属于静态绑定,编译期决定,取决于引用类型。*
public class FileHiding_Test {
    public static void main(String[] args) {
        Base b = new Derived();

        // 输出 1
        // 因为静态方法属于静态绑定,编译期决定,取决于引用类型 Base
        System.out.println(b.f());
    }
}

class Base {
    public static int i = 1;

    public static int f() {
        return i;
    }
}

class Derived extends Base {
    public static int i = 2;

    public static int f() {
        return i;
    }
}

你可能感兴趣的:(Java 继承 域隐藏 Field Hiding 及静态方法隐藏 Method Hiding)