我有一个Query-annotated Spring JPA repo,看起来像这样:
@Repository
public interface MainRepository
extends
JpaRepository<MainEntity, MainEntity.ID>,
JpaSpecificationExecutor<MainEntity> {
@Query("select e.start, e.finish,e.forename,e.surname from MainEntity e where e.volunteerId= :id "
+ "and e.areaId>0 and e.isAssignment=true order by e.start")
List<MainEntity> findAssignments(@Param("id") int volunteerId);
}
尽管有返回类型,但这并没有返回MainEntity对象列表。它返回与所请求的字段类型对应的List []列表。
发生了什么?
答案 0 :(得分:6)
根据定义,当查询返回带有投影的列表时,JPA将返回Object[]
的列表,即来自实体(或多个实体)的一组字段。
使用Spring Data JPA,您可以通过定义如下界面来避免Object[]
并以更优雅的格式返回数据:
public interface MainEntityProjection {
String getStart();
String getFinish();
String getForename();
String getSurname();
}
更改查询方法以返回上面定义的界面:
@Query("SELECT e.start, e.finish, e.forename, e.surname " +
"FROM MainEntity e " +
"WHERE e.volunteerId = :id AND e.areaId > 0 AND e.isAssignment = true " +
"ORDER BY e.start")
List<MainEntityProjection> findAssignments(@Param("id") int volunteerId);
Spring Data JPA documentation中描述了这种方法。
除了Spring Data JPA之外,JPA本身使用公共构造函数使用SELECT NEW
处理它。您可以将类定义如下:
public class MainEntityProjection {
private String start;
private String finish;
private String forename;
private String surname;
public MainEntityProjection(String start, String finish,
String forename, String surname) {
this.start = start;
this.finish = finish;
this.forename = forename;
this.surname = surname;
}
// Getters and setters
}
然后你的查询就像:
SELECT NEW org.example.MainEntityProjection(e.start, e.finish, e.forename, e.surname)
FROM MainEntity e
WHERE e.volunteerId = :id AND e.areaId > 0 AND e.isAssignment = true
ORDER BY e.start
上述查询也可以与Spring Data JPA一起使用(您的方法将返回MainEntityProjection
的列表。)
检查JSR 338(定义JPA 2.1的文档)说明使用SELECT NEW
和构造函数表达式的内容:
4.8.2 SELECT子句中的构造函数表达式
可以在
SELECT
列表中使用构造函数来返回Java类的实例。指定的类不需要是实体或映射到数据库。构造函数名称必须是完全限定的。如果在
SELECT NEW
子句中将实体类名指定为构造函数名称,则生成的实体实例将处于新状态或分离状态,具体取决于是否为构造对象检索主键如果作为构造函数参数的 single_valued_path_expression 或 identification_variable 引用实体,则 single_valued_path_expression 或<引用的结果实体实例em> identification_variable 将处于托管状态。
例如,
SELECT NEW com.acme.example.CustomerDetails(c.id, c.status, o.count) FROM Customer c JOIN c.orders o WHERE o.count > 100
答案 1 :(得分:0)
这样写:
@Query("from MainEntity e where e.volunteerId= :id "
+ "and e.areaId>0 and e.isAssignment=true order by e.start")
答案 2 :(得分:0)
您不要求实体,而是要求它的字段。而对象数组返回。 试试这个:。
Select e from MainEntity e ...