Loading

如何理解被 protected 修饰的成员变量?

protected 修饰的成员对于本包和其子类可见:

  1. 基类的 protected 成员在包内可见
  2. 若继承了基类的子类与基类不在同一个包中,那么在子类中,子类实例可以访问其从基类继承而来的 protected 方法,不能访问基类中的 protected 方法。
/**
 * 基类
 */
package com.example.demo.base;
public class ProFather {
    protected void f() {
        System.out.println("protected father");
    }
}

/**
 * 与基类处于同一个包的子类
 */
package com.example.demo.base;
public class ProSon1 extends ProFather {
}

/**
 * 与基类处于不同包的子类
 */
package com.example.demo.base2;
public class ProSon2 extends ProFather {
}

在基类所在的包中,基类,子类1和子类2都可以访问函数 f()

/**
 * 与基类处于同一个包的测试类
 */
package com.example.demo.base;
public class BaseTest {
    public static void main(String[] args) {
        // 基类可以访问函数f
        ProFather father = new ProFather();
        father.f();
        
        // 子类1可以访问函数f
        ProSon1 son1 = new ProSon1();
        son1.f();

        // 子类2可以访问函数f
        ProSon2 son2 = new ProSon2();
        son2.f();
    }
}

在不同的包下,基类,子类1和子类2都不能访问函数 f()

/**
 * 与基类处于不同包的测试类
 */
package com.example.demo.base2;
public class Base2Test {
    public static void main(String[] args) {
        ProFather father = new ProFather();
        // f 方法被保护,在不同的包不可见
        father.f();  // error

        ProSon1 son1 = new ProSon1();
        // f 方法被保护,在不同的包不可见
        son1.f();    // error

        ProSon2 son2 = new ProSon2();
        // f 方法被保护,在不同的包不可见
        son2.f();    // error
    }
}

在子类2中:

  1. 基类无法访问函数 f()
  2. 子类2可以访问函数 f()
/**
 * 与基类处于不同包的son2
 */
package com.example.demo.base2;
public class ProSon2 extends ProFather {
    protected void f1() {
        super.f();
    }
    public static void main(String[] args) {
        ProFather father = new ProFather();
        // f 方法被保护,在不同的包不可见
        father.f();  // error

        ProSon2 son2 = new ProSon2();
        // f 方法被 son2 继承,在子类可见
        son2.f();    // ok
    }
}

如果子类2重写了父类的 f 方法,并用 protected 修饰,那么在子类2所在的包下可以访问。

/**
 * 与基类处于不同包的子类2
 */
package com.example.demo.base2;
public class ProSon2 extends ProFather {
    @Override
    protected void f() {
        super.f();
    }

    public static void main(String[] args) {
        ProSon2 son2 = new ProSon2();
        // f 方法被 son2 重写,在子类可见
        son2.f();
    }
}

/**
 * 与基类处于不同包的测试类
 */
package com.example.demo.base2;
public class Base2Test {
    public static void main(String[] args) {
        // f 方法来自于ProSon2在同一个包内可见
        son2.f();  // ok
    }
}

参考资料

Java protected 关键字详解

本文首发于我的个人博客 https://chaohang.top

作者张小超

转载请注明出处

欢迎关注我的微信公众号 【超超不会飞】,获取第一时间的更新。

posted @ 2020-08-17 17:37  超超不会飞  阅读(673)  评论(0编辑  收藏  举报