如何对 JPA 查询进行分页

2022-09-01 12:36:14

我有一个提交表,其中包含诸如 ,等属性中的列。我的要求是根据提到的属性搜索记录并返回分页集。IDNameCode

这是我正在寻找的伪代码:

searchSubmission(searchFilter sf,pageIndex,noOfRecords) {
   query = 'from submisssion where code=sf.code or id=sf.id order by id start_from (pageIndex*noOfRecords) limit noOfRecords'
   return result();
}

似乎有很多选项,如 、 等。在这种情况下,哪个是最有效的?CriteriaBuilderNamedQuery


答案 1

对于所有 JPA 查询对象(本机 SQL 查询除外),可以通过 setMaxResults(int) 和 setFirstResult(int) 方法使用分页。例如:

  return em.createNamedQuery("yourqueryname", YourEntity.class)
      .setMaxResults(noOfRecords)
      .setFirstResult(pageIndex * noOfRecords)
      .getResultList();

JPA 将为您执行分页。

命名查询只是预定义的,可以缓存,而其他类型是动态创建的。
因此,选择使用JPQL,如下所示:

Query query = em.createQuery("SELECT s FROM Submission s WHERE s.code = :code or s.id = :id ORDER BY s.id", Submission.class);

或者 CriteriaBuilder api 来形成类似的查询:

    CriteriaBuilder qb = em.getCriteriaBuilder();
    CriteriaQuery<Submission> cq = qb.createQuery(Submission.class);

    Root<Submission> root = cq.from(Submission.class);
    cq.where( qb.or( 
        qb.equal(root.get("code"), qb.parameter(String.class, "code")),
        qb.equal(root.get("id"), qb.parameter(Integer.class, "id"))
    ));
    Query query = em.createQuery(cq);

例如,不要忘记使用query.setParameter(“id”,sf.id)设置参数值。


答案 2

您可以在存储库中使用PageableSpring

@Repository
public interface StateRepository extends JpaRepository<State, Serializable> {

@Query("select state from State state where state.stateId.stateCode = ?1")
public State findStateByCode(String code, Pageable pageable);

}

在服务层中,您可以创建对象:Pageable

@Autowire
StateRepository stateRepository;

public State findStateServiceByCode(String code, int page, int size) {
    Pageable pageable = new PageRequest(page, size);
    Page<Order> statePage = stateRepository.findStateByCode(code, pageable);
    return statePage.getContent();
}