为什么我无法通过内部 class 引用访问外部 class 数据成员?

Why am I not able to access outer class data member through inner class reference?

class OuterClass1 {

    static private int a = 10;

    void get() {
        System.out.println("Outer Clas Method");
    }

    static class StaticInnerClass {
        void get() {
            System.out.println("Inner Class Method:" + a);
        }
    }

    public static void main(String args[]) {

        OuterClass1.StaticInnerClass b = new OuterClass1.StaticInnerClass();
        b.get();
        System.out.println(b.a);
        System.out.println(b.c);

    }
}

我知道静态嵌套 class 可以访问外部 class 数据成员,所以为什么我无法通过内部 class 引用访问外部 class 变量但可以访问像上面那样直接在内部 class 中使用它?

Java 语言规范提供了以下访问静态字段的规则:

◆ If the field is static:

  • The Primary expression is evaluated, and the result is discarded. [...]
  • If the field is a non-blank final, then the result is the value of the specified class variable in the class or interface that is the type of the Primary expression.

请注意,规范不允许在其他 classes 中搜索静态字段;仅考虑主要表达式的直接类型。

在您的情况下,主要表达式只是 b。它被评估,其结果被丢弃,没有任何可观察到的效果。

主表达式 b 的类型是 OuterClass1.StaticInnerClass。因此,Java 将 b.a 视为 OuterClass1.StaticInnerClass.a。由于 OuterClass1.StaticInnerClass class 不包含静态字段 a,编译器会产生错误。

当您访问 class 方法中的字段时,一组不同的规则生效。当编译器在

中看到a
System.out.println("Inner Class Method:" + a);

它搜索 class 本身,并在该字段不存在时继续到外部 classes。那是编译器找到 a 的地方,因此表达式编译正确。

注意: 通过非静态表达式访问静态成员不是一个好主意。 See this Q&A for an explanation.

您还没有向我们展示内部 class,StaticInnerClass 不是内部 class。 Java 中没有 "static inner class" 这样的东西,因为根据定义,内部 class 是嵌套的 class,它不是静态的。只有内部 classes 可以直接访问包含类型的成员。因为 StaticInnerClass 不是内部 class,所以它没有这样的访问权限。