我有一个特定的类结构,看起来像这样:

class Parent {
    public Parent(int property) { /* use property */}
}
class Son extends Parent {
    public Son(int parentProperty, String sonProperty) {
        super(parentProperty);
        /* use son property */
    }
}

我想为这两个类创建构建器,例如:
class ParentBuilder {
    protected int parentProperty;

    public ParentBuilder parentProperty(int parentPropertyValue) {
        parentPropertyValue = parentPropertyValue;
        return this;
    }

    public Parent build() {
        return new Parent(parentProperty);
    }
}
class SonBuilder extends ParentBuilder {
    private String sonProperty;

    public SonBuilder sonProperty(String sonProperty) {
        this.sonProperty = sonProperty;
        return this;
    }

    @Override
    public Son build() {
        return new Son(parentProperty, sonProperty);
    }
}

但这会导致以下问题:
SonBuilder sonBuilder = new SonBuilder();
sonBuilder.sonProperty("aString").build(); // this works and creates Son
sonBuilder.sonProperty("aString").parentProperty(1).build(); // this works and creates Parent instead of Son
sonBuilder.parentProperty(1).sonProperty("aString").build(); // this doesn't work

我意识到我很挑剔,这可以通过不返回this(即不使用方法链)来解决,但是我想知道是否有一个优雅的解决方案。

编辑

似乎“优雅”一词引起了一些混乱。

“优雅”是指一种允许方法链接并且不涉及强制转换的解决方案。

最佳答案

第一点

sonBuilder.sonProperty("aString").parentProperty(1).build();

这有效并创建了父母而不是儿子

预期为parentProperty()返回ParentBuilder:
public ParentBuilder parentProperty(int parentPropertyValue) {...

然后ParentBuilder.build()创建一个Parent:
public Parent build() {
    return new Parent(parentProperty);
}

第二点
sonBuilder.parentProperty(1).sonProperty("aString").build(); // this doesn't work

如第一点所述,parentProperty()返回ParentBuilder
而且ParentBuilder当然没有sonProperty()方法。
因此它无法编译。

我想知道是否有一个优雅的解决方案。

优雅的解决方案不是让SonBuilder继承ParentBuilder而是由ParentBuilder字段组成。
例如 :
class SonBuilder {

    private String sonProperty;
    private ParentBuilder parentBuilder = new ParentBuilder();

    public SonBuilder sonProperty(String sonProperty) {
      this.sonProperty = sonProperty;
      return this;
    }

    public SonBuilder parentProperty(int parentPropertyValue) {
      parentBuilder.parentProperty(parentPropertyValue);
      return this;
    }

    public Son build() {
      return new Son(parentBuilder.parentProperty, sonProperty);
    }
}

您可以这样创建Son:
SonBuilder sonBuilder = new SonBuilder();
Son son = sonBuilder.sonProperty("aString").parentProperty(1).build();

10-06 05:37