我有一个名为 AClass 的抽象类。在同一个包中我有 AnotherClass ,其中我有 ArrayList 对象的 AClass 。在 AnotherClass 的复制构造函数中,我需要在 AClass 中复制 ArrayList 对象。

问题:

我无法在 AClass 中创建复制构造函数,因为它是一个抽象类,我无法知道将继承 AClass 的类的名称。实际上,在这个项目中,不会从这个类继承任何对象,但是这个项目将被其他项目用作库,这些项目将提供 AClass 的类子项。我的设计是否有错误,或者是否有解决此问题的方法?

编辑 :这是一些代码:

public class AnotherClass{
    private ArrayList<AClass> list;
...
    /** Copy constructor
    */
    public AnotherClass(AnotherClass another){
        // copy all fields from "another"
        this.list = new ArrayList<AClass>();
        for(int i = 0; i < another.list.size(); i++){
            // Option 1: this.list.add(new AClass(another.list.get(i)));
            // problem: cannot instantiate AClass as it is abstract
            // Option 2: this.list.add(another.list.get(i).someKindOfClone());
            // problem? I'm thinking about it, seems to be what dasblinkenlight is suggesting below
        }
    }
...
}

最佳答案



这通常是正确的。但是,由于您有 AClass 的列表,因此您无需知道确切的子类型:制作副本的抽象函数就足够了:

protected abstract AClass makeCopy();

这类似于 clone()java.lang.Object 函数,只是所有子类都必须实现它,并且要求返回类型为 AClass

由于每个子类都知道自己的类型,因此它们实现 makeCopy() 方法应该没有问题。这是您的代码中的样子:
for (int i = 0 ; i < another.list.size() ; i++) {
    this.list.add(another.list.get(i).makeCopy());
}

注意:这种设计被称为 prototype pattern ,有时非正式地称为“虚拟构造函数”。

关于java - 抽象类的复制构造函数,我们在Stack Overflow上找到一个类似的问题:https://stackoverflow.com/questions/20844660/

10-17 02:34