我有多个Optional必须映射到POJO。有没有比以下更好的选择了?

class SimplePojo {
    private String stringField;
    private Integer integerField;
    // All args. constructor, getter, setter
}

Optional<String> stringOptional = ...
Optional<Integer> integerOptional = ...
Optional<SimplePojo> simplePojoOptional = stringOptional.flatMap(
    string -> integerOptional.map(integer -> new SimplePojo(string, integer)))


在上面的示例中,为了简化起见,我将问题简化为2个Optionals。但是我实际上有3个Optionals,还有更多的选择。恐怕最后一行很快就会变得笨拙。

请注意:我不能选择使用Vavr或Functional Java之类的功能框架。

最佳答案

使用Builder怎么样?

class SimplePojo {

  public static class Builder {
    private String stringField;

    public Builder withStringField(String str) {
      this.stringField = str;
      return this;
    }
    // and other "with" methods...


    public Optional<SimplePojo> build() {
      if (stringField == null || anotherField == null /* and so forth */) {
        return Optional.empty();
      } else {
        return Optional.of(new SimplePojo(this));
      }
    }
  }
  private final String stringField;

  /* private constructor, so client code has to go through the Builder */
  private SimplePojo(Builder builder) {
    this.stringField = builder.stringField;
    // etc.
  }
}


然后,您可以按以下方式使用它:

SimplePojo.Builder builder = new SimplePojo.builder();
optionalStringField.ifPresent(builder::withStringField);
// etc.
return builder.build();

07-25 21:38