2

我一直在应用程序中使用 modelmapper 和 java 8 Optionals,它们工作正常,因为它们是原始类型;直到我将模型对象的一个​​字段更改为可选类型。然后所有的地狱都崩溃了。事实证明,许多库不能很好地处理泛型。

这是结构

public class MyObjectDto
{
   private Optional<MySubObjectDto> mySubObject;
}

public MyObject
{
   privae Optional<MySubjObject> mySubObject;
}

当我尝试映射MyObjectDto到时MyObject,modelmapper 调用

public void setMySubObject(Optional<MySubObject> mySubObject){
   this.mySubObject = mySubObject;
}

with Optional<MySubObjectDto>,我不明白这怎么可能(它们之间没有继承)。当然,崩溃很快。现在我已经将我的设置器更改为接受 Dto 类型只是为了生存下来,但这从长远来看是行不通的。有没有更好的方法来解决这个问题,还是我应该制造一个问题?

4

1 回答 1

4

因此,我深入研究了模型映射器代码并查看了一些通用实现:

modelMapper.createTypeMap(Optional.class, Optional.class).setConverter(new OptionalConverter());

public class OptionalConverter implements ConditionalConverter<Optional, Optional> {

  public MatchResult match(Class<?> sourceType, Class<?> destinationType) {
    if (Optional.class.isAssignableFrom(destinationType)) {
      return MatchResult.FULL;
    } else {
      return MatchResult.NONE;
    }
  }

  private Class<?> getElementType(MappingContext<Optional, Optional> context) {
    Mapping mapping = context.getMapping();
    if (mapping instanceof PropertyMapping) {
      PropertyInfo destInfo = ((PropertyMapping) mapping).getLastDestinationProperty();
      Class<?> elementType = TypeResolver.resolveArgument(destInfo.getGenericType(),
                                                          destInfo.getInitialType());
      return elementType == TypeResolver.Unknown.class ? Object.class : elementType;
    } else if (context.getGenericDestinationType() instanceof ParameterizedType) {
      return Types.rawTypeFor(((ParameterizedType) context.getGenericDestinationType()).getActualTypeArguments()[0]);
    }

    return Object.class;
  }

  public Optional<?> convert(MappingContext<Optional, Optional> context) {
    Class<?> optionalType = getElementType(context);
    Optional source = context.getSource();
    Object dest = null;
    if (source != null && source.isPresent()) {
      MappingContext<?, ?> optionalContext = context.create(source.get(), optionalType);
      dest = context.getMappingEngine().map(optionalContext);
    }

    return Optional.ofNullable(dest);
  }

}
于 2015-03-15T11:23:58.390 回答