0

我使用具有通用实现的抽象基类来使用 JPA 访问我的数据库。我也使用实体元模型。

public List<PersonEntity> findByCode(String code) {
    CriteriaBuilder cb = entityManager.getCriteriaBuilder();
    CriteriaQuery<PersonEntity> cq = cb.createQuery(PersonEntity.class);
    Root<PersonEntity> root = cq.from(PersonEntity.class);

    Predicate predicate = cb.equal(root.get(PersonEntity_.code), code);
    cq.where(predicate);

    TypedQuery<PersonEntity> query = entityManager.createQuery(cq);
    List<PersonEntity> list = new ArrayList<>();
    return query.getResultList();
}   

我想把它移到一个通用的基类中,因为这种和平的代码被使用了很多次。如何检查是否有“代码”?并非所有课程都有一个。

public List<E> findByCode(String code) {
    CriteriaBuilder cb = entityManager.getCriteriaBuilder();
    CriteriaQuery<E> cq = cb.createQuery(entityClass);
    Root<E> root = cq.from(entityClass);

    //here is my problem: how to check if there is a "code"?
    // Most classes have one, but not all.
    Predicate predicate = cb.equal(root.get(PersonEntity_.code), code);
    cq.where(predicate);

    TypedQuery<E> query = entityManager.createQuery(cq);
    List<E> list = new ArrayList<>();
    return query.getResultList();
}
4

1 回答 1

1

您可能应该声明一个接口(具有更好的名称):

public interface Codeable {
    public String getCode();
}

然后像这样声明方法:

public List<E implements Codeable> findByCode(String code, Class<E> clazz) {
    CriteriaBuilder cb = entityManager.getCriteriaBuilder();
    CriteriaQuery<E> cq = cb.createQuery(entityClass);
    Root<E> root = cq.from(entityClass);

    //here is my problem: how to check if there is a "code"?
    // Most classes have one, but not all.
    Predicate predicate = cb.equal(root.get(PersonEntity.getCode()), code);
    cq.where(predicate);

    TypedQuery<E> query = entityManager.createQuery(cq);
    List<E> list = new ArrayList<>();
    return query.getResultList();
}

你传递给clazz你类类型的参数(为了让编译器知道在查询中实际使用哪种类型以及返回哪种类型):

List<PersonEntity> persons = dao.findByCode("someCode", PersonEntity.getClass());

附言

为了符合界面,我也将其更改为.code.getCode()

于 2014-02-21T16:34:42.403 回答