我声明了一个PagingAndSorting JPA存储库。我正在使用@Query注释。
当我从存储库的findById(id)方法中对Optional对象调用get()方法时,出现异常。
奇怪的是,它仅在使用JPQL时发生。
如果我的查询是本地代码,则此代码有效:
@Override
public BatchDto findById(String id) {
Optional<Batch> findResult = this.batchRepository.findById(id);
if (!findResult.isPresent()) return null;
Batch entity = findResult.get(); **<-------- Cast Exception Here**
BatchDto dto = this.mapper.toDto(entity, BatchDto.class);
List<BatchTransaction> transactions = entity.getTransactions();
dto.setTransactionDtos(mapper.toListDto(transactions, TransactionDto.class));
return dto;
}
检查带有断点的 findResult 对象-我可以看到:
Optional[net.domain.data.batch@4b8bb6f]
当我在@Query批注中具有nativeQuery = true时。
@Query(value = Sql.FindBatchById, nativeQuery = true)
以下是正在使用的查询:
SELECT DISTINCT(B.batchNumber), COUNT(B.batchNumber) as TransactionCount FROM BATCH B WHERE B.batchReferenceNumber = :id GROUP BY B.batchNumber
但是,如果我将其更改为JPQL并删除nativeQuery = true属性-findResult是
Optional[[Ljava.lang.Object;@76e04327].
我得到了ClassCastException:
java.lang.ClassCastException: [Ljava.lang.Object; cannot be cast to net.domain.data.batch
所以最重要的是-这在指定nativeQuery = true时有效,而在尝试使用JPQL时失败。
我不想指定nativeQuery,因为我们最终会将这个数据库移植到Oracle。
答案 0 :(得分:0)
首先,下面显示的查询不会返回单个Batch
实例。由于存在distinct
和count
个聚合函数,因此查询将返回List
个聚合。
为了能够读取该统计信息,可以将适当的方法添加到batchRepository中。像这样:
@Query("SELECT DISTINCT(B.batchNumber) as dist, COUNT(B.batchNumber) as cnt FROM BATCH B GROUP BY B.batchNumber")
List<Map<Long, Long>> findStatistics();
,然后遍历列表。
UPD
如果id参数完全保证将返回一条记录,则可以将返回类型更改为Map
@Query("SELECT DISTINCT(B.batchNumber) as dist, COUNT(B.batchNumber) as cnt FROM BATCH B WHERE B.batchReferenceNumber = :id GROUP BY B.batchNumber")
Map<Long, Long> findStatisticsById(@Param("id") Long id);