2

我有这个模型,只有两个实体,一个用于键的可嵌入实体和一个将该键作为 id 字段的实体。

我想知道,如何编写简单的查询,例如“给我一个 id 为 5 的人的所有功能”或“给我一个名为 Somebody 的人的所有功能”。

当有可嵌入密钥时,我不明白如何访问这些信息......

我对重写我的模型犹豫不决,因为我将不得不围绕代码重写大量的东西。

我什至如何从该关联表中删除一些东西?我只是真的不知道我应该采取哪种“方式”来解决这个问题。

谢谢各位大佬的指点

@Entity
@Table(name = "PERSON")
public class Person {

    @Id
    @GeneratedValue(strategy = GenerationType.IDENTITY)
    @Column(name = "person_id")
    private Long id;

    @Column(name = "name", unique = true)
    private String name;
    // .. getters and setters

@Entity
@Table(name = "FUNC")
public class Function {

    @Id
    @GeneratedValue(strategy = GenerationType.IDENTITY)
    @Column(name = "function_id")
    private Long id;

    @Column(name = "name")
    private String name;
    // .. getters and setter

@Embeddable
public class PersonFunctionPK {

    @Column(name = "person_id")
    private Long personId;

    @Column(name = "function_id")
    private Long functionId;

    public PersonFunctionPK() {
    }

    PersonFunctionPK(Long personId, Long functionId) {
        this.personId = personId;
        this.functionId = functionId;
    }
    // .. getters and setter

@Entity
@Table(name = "PERSON_FUNC")
public class PersonFunction {

    @EmbeddedId
    protected PersonFunctionPK personFunctionPK;

    public PersonFunction() {}

    public PersonFunction(PersonFunctionPK personFunctionPK) {
        this.personFunctionPK = personFunctionPK;
    }

    public PersonFunction(Long personId, Long functionId) {
        this.personFunctionPK = new PersonFunctionPK(personId, functionId);
    }

    // .. getters and setter for personFunctionPK
4

1 回答 1

2

您似乎将这些映射为单个独立实体。如果您映射实体之间的关系,那么您应该能够通过简单地调用 get 方法来完成大部分查询(不需要 jpql)

@Entity
@Table(name = "PERSON")
public class Person {

    @Id
    @GeneratedValue(strategy = GenerationType.IDENTITY)
    @Column(name = "person_id")
    private Long id;

    @Column(name = "name", unique = true)
    private String name;

    @ManyToMany(mappedBy = "persons", cascade=CascadeType.ALL) 
    private Collection<Function> functions;

    // .. getters and setters

@Entity
@Table(name = "FUNC")
public class Function {

    @Id
    @GeneratedValue(strategy = GenerationType.IDENTITY)
    @Column(name = "function_id")
    private Long id;

    @Column(name = "name")
    private String name;

    @ManyToMany(cascade=CascadeType.ALL)
    @JoinTable(name = "PERSON_FUNC",
    joinColumns = {@JoinColumn(name = "function_id", referencedColumnName = "id")}, 
    inverseJoinColumns = {@JoinColumn(name = "person_id", referencedColumnName = "id")}) 
    private Collection<Person> persons;

    // .. getters and setter

现在如果你得到一个 id 为 5 的人,你可以调用一个简单的 getter 来获取这个人的函数。如果您想将一组函数分配给所有名为 Stefan 的人,您可能仍需要使用 JPQL。您仍然需要映射 @ManyToMany,因为在 JPQL 中您指定了对象关系(而不是底层数据库)

select distinct f from Function f inner join f.persons p where p.name = "Stefan"

我没有测试过任何这段代码,但它应该大致正确。

于 2012-11-30T12:04:45.100 回答