web-dev-qa-db-ja.com

EmbeddableとEmbeddedId間の@ManyToOneのJPAマッピング

Spring Boot JPAアプリケーションに次の設定があります。

埋め込み可能

@Embeddable
public class LogSearchHistoryAttrPK {
    @Column(name = "SEARCH_HISTORY_ID")
    private Integer searchHistoryId;

    @Column(name = "ATTR", length = 50)
    private String attr;

    @ManyToOne
    @JoinColumn(name = "ID")
    private LogSearchHistory logSearchHistory;
    ...
}

EmbeddedId

@Repository
@Transactional
@Entity
@Table(name = "LOG_SEARCH_HISTORY_ATTR")
public class LogSearchHistoryAttr implements Serializable {
    @EmbeddedId
    private LogSearchHistoryAttrPK primaryKey;

    @Column(name = "VALUE", length = 100)
    private String value;
    ...
}

OneToMany

@Repository
@Transactional
@Entity
@Table(name = "LOG_SEARCH_HISTORY")
public class LogSearchHistory implements Serializable {
    @Id
    @Column(name = "ID", unique = true, nullable = false)
    private Integer id;

    @OneToMany(mappedBy = "logSearchHistory", fetch = FetchType.EAGER)
    private List<LogSearchHistoryAttr> logSearchHistoryAttrs;
    ...
}

データベースDDL

CREATE TABLE log_search_history (
    id serial NOT NULL,
    ...
    CONSTRAINT log_search_history_pk PRIMARY KEY (id)
 );

CREATE TABLE log_search_history_attr (
    search_history_id INTEGER NOT NULL,
    attr CHARACTER VARYING(50) NOT NULL,
    value CHARACTER VARYING(100),
    CONSTRAINT log_search_history_attr_pk PRIMARY KEY (search_history_id, attr),
    CONSTRAINT log_search_history_attr_fk1 FOREIGN KEY (search_history_id) REFERENCES
        log_search_history (id)
);

アプリケーションを起動しようとすると、次のエラーが発生します。

原因:org.hibernate.AnnotationException:マップされた参照が不明なターゲットエンティティプロパティを参照しています:com.foobar.entity.LogSearchHistoryAttr.logSearchHistory in com.foobar.entity.LogSearchHistory.logSearchHistoryAttrs

なぜこのエラーが発生するのかわからない-マッピングは(私には)正しく見える。私が持っているこのマッピングの何が問題になっていますか?ありがとう!

15
Ascalonian

mappedBy属性を埋め込み可能な主キーに移動したため、フィールドの名前はlogSearchHistoryではなくprimaryKey.logSearchHistory。エントリによってマップを変更します。

@OneToMany(mappedBy = "primaryKey.logSearchHistory", fetch = FetchType.EAGER)
private List<LogSearchHistoryAttr> logSearchHistoryAttrs;

参照: JPA/Hibernate OneToManyマッピング、複合PrimaryKeyを使用

また、主キークラスLogSearchHistoryAttrPKをシリアル化可能にする必要もあります。

14
K.Nicholas

OneToManyの部分:

@OneToMany(mappedBy = "primaryKey.logSearchHistory", fetch = FetchType.EAGER)
private List<LogSearchHistoryAttr> logSearchHistoryAttrs;
2
lukaszwrzaszcz