8

Playframeworkの最後のリリース(2.0.4)とEbeanORMを使用しています。これが私の簡略化されたdbスキーマです

TABLENAME (FIELD_NAME (, ...) )
User (id)
Group (id)
UserGroup (user_id, group_id, is_active)

次のようなエンティティモデルを作成したいと思います。

@Entity
public class UserGroup extends Model {
    private static final long serialVersionUID = 1L;

    @EmbeddedId
    public UserGroupPK pk;
    @ManyToOne(fetch = FetchType.LAZY)
    @JoinColumn(name = "user_id", insertable = false, updatable = false)
    public User user;

    @ManyToOne(fetch = FetchType.LAZY)
    @JoinColumn(name = "group_id", insertable = false, updatable = false)
    public Group group;
}

@Embeddable
public class UserGroupPK implements Serializable{
    private static final long serialVersionUID = 1L;

    public Long userId;
    public Long groupId;

    public UserGroupPK(Long userId, Long groupId) {
        this.userId = userId;
        this.groupId = groupId;
    }

    @Override
    public boolean equals(Object obj) {
        if (obj == null) {
            return false;
        }
        if (getClass() != obj.getClass()) {
            return false;
        }
        final UserGroupPK other = (UserGroupPK) obj;
        if ((this.userId == null) ? (other.userId != null) : !this.userId.equals(other.userId)) {
                return false;
            }
        if ((this.groupId == null) ? (other.groupId != null) : !this.groupId.equals(other.groupId)) {
            return false;
        }
        return true;
    }

    @Override
    public int hashCode() {
        int hash = 3;
        hash = 89 * hash + (this.userId != null ? this.userId.hashCode() : 0);
        hash = 89 * hash + (this.groupId != null ? this.groupId.hashCode() : 0);
        return hash;
    }
}

それはあなたにぴったりですか。そして、この中間テーブルに問題がない場合、ユーザーとグループのエンティティはどうでしょうか。前もって感謝します。

4

1 に答える 1

4

一部の注釈は正しくないように見えますが、とにかく機能する可能性があります。

私があなたなら、私はするだろう:

@Embeddable
public class UserGroupPK implements Serializable{
    private static final long serialVersionUID = 1L;

    @Column(name = "user_id")
    public Long userId;
    @Column(name = "group_id")
    public Long groupId;

ManyToOne 列の場合:

@ManyToOne
@JoinColumn(name = "user_id", referenceColumnName = "id", nullable = false) // insertable and updatable by default are true, which I think are correct here
public User user;

// same for group

User エンティティには、次のようなものが必要です。

@OneToMany(mappedBy = "user", cascade = CascadeType.ALL)
public Set<UserGroup> groups

見つけたらこんな感じ

// find all users within a certain group
Ebean.find(User.class)
     .fetch("groups")
     .where().eq("groups.groupId", "...").findList();
于 2014-04-06T21:47:57.003 に答える