用于动态查询的 JPA 条件生成器

JPA Criteria builder for dynamic query

我必须编写一个方法,向它传递一些参数,并根据哪些参数为空来修改我需要在最后执行的查询。

例如如果我想从具有 IDnamesurnameaddress 的 table Customer 开始查询将是 SELECT * FROM Customer WHERE ID=myId AND name=myName AND surname=mySurname(现在我们检查我发送的地址是否为空,如果不是,将其添加到查询中)。

我知道如何在 C# 中执行此操作,方法是简单地创建一个起始字符串,然后添加到它并直接使用 ExecuteStoreQuery,但是在 Java 中这看起来如何? Criteria Builder 是一个可行的工具吗?

非常感谢!

使用 CriteriaQuery,可以做类似的事情(使用静态 JPA 元模型 类):

public List<Customer> findCustomer(Long myId, String myName, String mySurName, String myAddress) {
    CriteriaBuilder cb = enitityManager.getCriteriaBuilder();
    CriteriaQuery<Customer> query = cb.createQuery(Customer.class);
    Root<Customer> root = query.from(Customer.class);

    List<Predicate> predicates = new ArrayList<>();
    predicates.add(cb.equal(root.get(Customer_.ID), myId));
    predicates.add(cb.equal(root.get(Customer_.NAME), myName));
    predicates.add(cb.equal(root.get(Customer_.SURNAME), mySurName));

    if(address != null) {
        predicates.add(cb.equal(root.get(Customer_.ADDRESS), myAddress));
    }

    query.select(root).where(cb.and(predicates.toArray(new Predicate[0])));

    return entityManager.createQuery(query).getResultList();
}

在这种情况下,只有地址不是null才会被检查。

另一个不使用静态 JPA 元模型的示例(对此不是 100% 确定):

public List<Customer> findCustomer(Long myId, String myName, String mySurName, String myAddress) {
    CriteriaBuilder cb = enitityManager.getCriteriaBuilder();
    CriteriaQuery<Customer> query = cb.createQuery(Customer.class);
    Root<Customer> root = query.from(Customer.class);

    List<Predicate> predicates = new ArrayList<>();
    predicates.add(cb.equal(root.get("ID"), myId));
    predicates.add(cb.equal(root.get("name"), myName));
    predicates.add(cb.equal(root.get("surename"), mySurName));

    if(address != null) {
        predicates.add(cb.equal(root.get("address"), myAddress));
    }

    query.select(root).where(cb.and(predicates.toArray(new Predicate[0])));

    return entityManager.createQuery(query).getResultList();
}