如何在Java中初始化抽象父类的子类中的受保护的final变量?

oo7oh9g9  于 2023-05-05  发布在  Java
关注(0)|答案(3)|浏览(165)

我试过这个:

class protectedfinal
{
  static abstract class A 
  {
    protected final Object a;
  }

  static class B extends A
  {
    { a = new Integer(42); }
  }

  public static void main (String[] args)
  {
    B b = new B();
  }
}

但我得到了这个错误:

protectedfinal.java:12: error: cannot assign a value to final variable a
    { a = new Integer(42); }
      ^
1 error

如何解决这个问题?
有些人建议在这里使用构造函数,但这只在某些情况下有效。它适用于大多数对象,但不可能从构造函数中引用对象本身。

static abstract class X
  {
    protected final Object x;
    X (Object x) { this.x = x; }
  }

  static class Y extends X
  {
    Y () { super (new Integer(42)); }
  }

  static class Z extends X
  {
    Z () { super (this); }
  }

这就是错误:

protectedfinal.java:28: error: cannot reference this before supertype constructor has been called
    Z () { super (this); }
                  ^

有人可能会说,存储这种引用没有多大意义,因为this已经存在。这是正确的,但这是在构造函数中使用this时发生的一般问题。不可能将this传递给任何其他对象以将其存储在最终变量中。

static class Z extends X
  {
    Z () { super (new Any (this)); }
  }

那么,我如何才能编写一个抽象类,强制所有子类都有一个最终成员在子类中初始化呢?

o4hqfura

o4hqfura1#

你必须在它的构造函数中初始化A.a。子类将使用super()将初始化器传递给A.a

class protectedfinal {
    static abstract class A {
        protected final Object a;

        protected A(Object a) {
            this.a = a;
        }
    }

    static class B extends A {
        B() {
            super(new Integer(42));
        }
    }

    public static void main (String[] args) {
        B b = new B();
    }
}

在调用超类构造函数之前不能使用this,因为在这个阶段对象还没有初始化,甚至Object构造函数也没有运行,因此调用任何示例方法都会导致不可预测的结果。
在你的例子中,你必须以另一种方式解决Z类的循环引用:

Z () { super (new Any (this)); }

使用非final字段或更改类层次结构。由于相同的原因,示例方法super(new Any(a()));的解决方案将不起作用:在运行超类构造函数之前,不能调用示例方法。

eh57zj3b

eh57zj3b2#

我个人认为,你的问题暗示了设计上的缺陷。但要回答你的问题。如果绝对必要,可以change final fields in java using reflection
如果一切都失败了,您仍然可以使用sun.misc.unsafe
但我强烈建议您不要这样做,因为它可能会杀死您的VM。

avkwfej4

avkwfej43#

到目前为止,我的工作是使用方法而不是最终成员:

class protectedfinal
{

  static abstract class AA
  {
    protected abstract Object a();
  }

  static class BB extends AA
  {
    @Override
    protected Object a() { return this; }
  }

  public static void main (String[] args)
  {
    AA a = new BB();
    System.out.println (a.a());
  }
}

但是我想使用final成员,因为我认为访问final成员比调用方法更快。是否有机会与最终成员一起实施?

相关问题