#java #mapstruct
Вопрос:
Вкратце, я хотел бы переместить этот код внутрь картографа mapstruct:
List<Provincia> provincies = resultSetType.getResults().getResult().stream()
.map(resultType -> ResultTypeToProvinciaMapper.INSTANCE.resultTypeToProvincia(resultType))
.collect(Collectors.toList());
Я бы хотел, чтобы у меня:
List<Provincia> provinces = ResultTypeToProvinciaMapper.INSTANCE.getList(resultSet);
Подробные сведения
Мой исходный класс:
public class ResultSetType {
protected SearchRequestType request;
protected Results results;
protected Long resultCount;
protected Long totalCount;
protected Long startIndex;
protected Long pageSize;
protected ResultSetType.Errors errors;
// getters amp; setters
}
где Results
:
public static class Results {
protected List<ResultType> resu<
// geters amp; setters
}
И ResultType
:
public class ResultType {
protected String id;
protected String description;
// getters amp; setters
}
Мой Service
класс получает ResultSetType
объект от моего Repository
:
@Service
@RequiredArgsConstructor
public class ServeiTerritorialServiceImpl implements ServeiTerritorialService {
private final ServeiTerritorialClientRepository serveiTerritorialClientRepository;
/**
* {@inheritDoc}
*/
@Override
public void getPaisos() {
ResultSetType resultSetType = this.serveiTerritorialClientRepository.getOid("2.16.724.4.400");
// here I need to map resultSetType to a List<Provincia>...
}
}
Мне нужно составить карту resultSetType
List<Provincia>
.
Итак, мне нужно составить карту resultSetType.results.result
List<Provincia>
.
Прежде всего, я создал a mapper
для того, чтобы сопоставить ResultType
с Provincia
:
@Mapper
public interface ResultTypeToProvinciaMapper {
ResultTypeToProvinciaMapper INSTANCE = Mappers.getMapper(ResultTypeToProvinciaMapper.class);
@Mapping(source = "id", target = "code")
@Mapping(source = "description", target = "name")
Provincia resultTypeToProvincia(ResultType resultType);
}
Однако я не совсем понимаю, как добраться из resultSetType.results.result
туда List<Provincia>
.
Есть какие-нибудь идеи?
Ответ №1:
С помощью MapStruct вы можете определить сопоставление между различными итерациями. Однако вы можете сопоставить вложенный список со списком верхнего уровня в методе (вы можете, если он завернут).
В любом случае для этого я бы предложил сделать следующее:
@Mapper
public interface ResultTypeToProvinciaMapper {
ResultTypeToProvinciaMapper INSTANCE = Mappers.getMapper(ResultTypeToProvinciaMapper.class);
default List<Provincia> resultSetToListOfProvincia(ResultSetType resultSetType) {
if (resultSetType == null) {
return null;
}
Results results = resultSetType.getResults();
if (results == null) {
return null;
}
return resultTypesToProvincias(results.getResult());
}
List<Provincia> resultTypesToProvincias(List<ResultType> resultTypes);
@Mapping(source = "id", target = "code")
@Mapping(source = "description", target = "name")
Provincia resultTypeToProvincia(ResultType resultType);
}