我有一个具有onetomany关系的JPA实体(Person)(ContactInfo)。
@Entity
public class Person {
@Id
@GeneratedValue
private Integer id;
private String name;
private String lastname;
private String sshKey;
@OneToMany(mappedBy = "personId")
private List<ContactInfo> contactInfoList;
}
@Entity
public class ContactInfo {
@Id
@GeneratedValue
private Integer id;
private Integer personId;
private String description;
}
我已经定义了一个投影界面,其中包含了here描述的这种onetomany关系。
public interface PersonProjection {
Integer getId();
String getName();
String getLastname();
List<ContactInfo> getContactInfoList();
}
public interface PersonRepository extends JpaRepository<Person,Integer> {
List<PersonProjection> findAllProjectedBy();
}
当我使用 findAllProjectedBy 检索数据时,结果包含太多行。看起来返回的数据是类似于:
的连接查询的结果select p.id, p.name, p.lastname, ci.id, ci.person_id, ci.description
from person p
join contact_info ci on ci.person_id = p.id
例如,对于此数据集:
insert into person (id,name,lastname,ssh_key) values (1,'John','Wayne','SSH:KEY');
insert into contact_info (id, person_id, description) values (1,1,'+1 123 123 123'), (2,1,'john.wayne@west.com');
findAllProjectedBy 方法返回2个对象(错误地),标准 findAll 返回1个对象(正确)。
完整项目为here
我做了一些调试,看来问题出在jpa查询上。 findAll方法使用此查询:
select generatedAlias0 from Person as generatedAlias0
findAllProjectedBy使用此查询:
select contactInfoList, generatedAlias0.id, generatedAlias0.name, generatedAlias0.lastname from Person as generatedAlias0
left join generatedAlias0.contactInfoList as contactInfoList
有谁知道如何解决这种无效行为?
答案 0 :(得分:4)
此处描述了此问题的快速解决方法: https://jira.spring.io/browse/DATAJPA-1173
您需要使用@Value注释描述其中一个投影属性。对于上面发布的示例,您最终会得到:
import java.util.List;
import org.springframework.beans.factory.annotation.Value;
public interface PersonProjection {
@Value("#{target.id}")
Integer getId();
String getName();
String getLastname();
List<ContactInfo> getContactInfoList();
}