2

抱歉这个相当基本的问题,但我必须让某种原型非常快速地工作,这是我第一次涉足 JPA。

我有一个类 System,它有一个快照项目列表,每个项目都有一个数字 ID 和一个 SystemID。

如何查询快照以说出以下内容:

select top 1 ID from Snapshots
where Snapshots.SystemID = X 
order by Snapshots.ID desc; 

我知道如何将 where 查询放入,但不确定将我的“最大”位放在哪里。

谢谢!!

public Snapshot GetMostRecentSnapshotByID(int systemID) {

    CriteriaBuilder cb = em.getCriteriaBuilder();
    CriteriaQuery<mynamespace.Snapshot> criteria = 
            cb.createQuery(mynamespace.Snapshot.class);
    Root<mynamespace> snapshot = criteria.from(mynamespace.Snapshot.class);
    criteria.where(cb.equal(snapshot.get(Snapshot_.systemID), systemID));

    //OK -- where does this guy go?
    cb.greatest(snapshot.get(Snapshot_.id));

    return JPAResultHelper.getSingleResultOrNull(em.createQuery(criteria));
}

澄清:我的快照类有以下(片段)@

Entity
public class Snapshot implements Serializable {



    @Id
    @GeneratedValue
    private int id;

    @ManyToOne
    @JoinColumn(name = "systemID", nullable = false)
    private System system;

我可以查询数字 id 还是使用 System object 来查找特定系统的快照?

对不起,如果这令人困惑!

4

1 回答 1

2

您对 jpa 使用实体和属性而不是表和列感到有些困惑;如果您正在学习,我建议您首先尝试使用 jpql 实现您的查询,例如:

String q = "from Snapshot s where s.systemID = :systemID order by s.id desc";
TypedQuery<Snapshot> query = em.createTypedQuery(q, Snapshot.class);
query.setParameter("systemID", systemID);
return query.getFirstResult();
// return a Snapshot object, get the id with the getter

(最好将(@OneToMany)快照映射到系统实体而不是使用原始 ID)

那么您可以尝试使用 CriteriaBuilder(此处不使用元模型):

CriteriaBuilder cb = em.getCriteriaBuilder();
CriteriaQuery<Object> cq = cb.createQuery();
Root<Snapshot> r = cq.from(Snapshot.class);
cq.where(cb.equal(r.get("systemID"), systemID));
cd.orderBy(cb.desc(r.get("id")));
em.createQuery(cq).geFirsttResult();

如果你想做一个where...and...(但在这个问题上不是你的情况),它会是:

[...]
Predicate p1 = cb.equal(r.get("systemID"), systemID));
Predicate p2 = cb. /* other predicate */
cb.and(p1,p2);
[...]

编辑:

我可以查询数字 id 还是使用 System object 来查找特定系统的快照?

当然,你可以这样做(假设 System 有一个名为 id 的 @Id 属性):

String q = "from Snapshot s where s.system.id = :systemID order by s.id desc";
[...]

其中 s.system.id 表示:s(快照)的属性系统(类 System)的属性 id(整数)。

或者,如果您有 System 实体,则可以直接比较对象:

String q = "from Snapshot s where s.system = :system order by s.id desc";
query.setParameter("system", system);
[...]

使用 CriteriaBuilder(和元模型):

Metamodel m = em.getMetamodel();
Root<Snapshot> snapshot = cq.from(Snapshot.class);
Join<Snapshot, System> system = snapshot.join(Snapshot_.system);
cq.where(cb.equal(System_.id, systemID));
[...]
于 2012-09-24T16:21:40.733 回答