用户实体
class User{
int id;
@OneToMany
Set<Role> roles;
}
:用户类还有很多其他细节,我还没写过。
DTO
class DTO{
int id;
Set<Role> roles;
DTO(int id, Set<Role> roles){
this.id = id;
this.roles= roles;
}
}
查询
hibernateTemplate.find("select new DTO(u.id, r ) from "+User.class.getName()+ " u inner join u.roles as r");
问题:不会抛出找到的有效构造函数。
通过以下构造函数修改,上述查询有效:
DTO(int id, Role role){
this.id = id;
}
问题:但现在它为同一用户提供的多条DTO记录等于用户所拥有的角色数。请帮忙。
答案 0 :(得分:1)
由于您需要多行来创建单个DTO实例,因此无法在查询中使用new运算符。相反,您必须自己创建DTO。这样的事情应该做:
Map<Long, DTO> dtosById = new LinkedHashMap<Long, DTO>();
List<Object[]> rows = hibernateTemplate.find("select u.id, r from User u inner join u.roles as r");
for (Object[] row : rows) {
Long id = (Long) row[0];
Role role = (Role) row[1];
DTO dto = dtosById.get(id);
if (dto == null) {
dto = new DTO(id);
dtosById.put(id, dto);
}
dto.addRole(role);
}
List<DTO> dtos = new ArrayList<DTO>(dtosById.values());
答案 1 :(得分:0)
如果您希望事情变得更轻松,那么您会喜欢我为该用例创建的Blaze-Persistence Entity-Views。您实际上将JPA实体的DTO定义为接口,并将其应用于查询。它支持映射嵌套的DTO,集合等,本质上是您期望的所有内容,此外,它还将提高查询性能,因为它将生成查询,仅提取您实际为DTO所需的数据。
您的示例的实体视图如下
@EntityView(User.class)
interface UserDto {
@IdMapping Integer getId();
List<RoleDto> getRoles();
}
@EntityView(Role.class)
interface RoleDto {
@IdMapping Integer getId();
String getName();
}
查询看起来像这样
List<UserDto> dtos = entityViewManager.applySetting(
EntityViewSetting.create(UserDto.class),
criteriaBuilderFactory.create(em, User.class)
).getResultList();