1

我有 2 个表 第一个表 - 事件 第二个表 - 类别

@Entity
public class Event {

@Id
@GeneratedValue(strategy = GenerationType.AUTO)
private Long eventId;
private String name;
@ManyToOne
@JoinColumn(name = "category_id")
private EventCategory category;
//getters and setters
}

@Entity
@Table(uniqueConstraints = @UniqueConstraint(columnNames = { "CATEGORY" }))
public class EventCategory {
@Id
@GeneratedValue(strategy = GenerationType.AUTO)
private Long categoryId;
@NotNull
private String category;
@OneToMany(mappedBy = "category", cascade = CascadeType.ALL)
private List<Event> events;
}

现在我想要所有类别具有某种价值的事件。我对 jpa 很陌生。很难为此编写查询。如果你能帮助我,那将是有帮助的。

编辑:我将 categoryId 存储在事件表中。我希望能够按类别名称搜索。类别名称仅保存在类别表中。所以我想我需要加入类别表。

4

1 回答 1

5

使用这样的查询:

final String query = "SELECT e FROM Event e WHERE e.category = :category";

您可以通过多种方式检索记录,但这里有一个:

final EventCategory category = ...;
TypedQuery<Event> query = entityManager.createQuery(query, Event.class);
query.setParameter("category", category);
final List<Event> events = query.getResultList();

* 编辑 *

默认情况下,我上面说明的方法将根据为您的类别对象定义的主键进行搜索。如果您想按其他属性进行搜索,则需要在 JPQL 中指定:

final String query = "SELECT e FROM Event e WHERE e.category.name = :categoryName";

final String categoryName = ...;
TypedQuery<Event> query = entityManager.createQuery(query, Event.class);
query.setParameter("categoryName", categoryName);
final List<Event> events = query.getResultList();
于 2012-05-20T16:39:02.650 回答