0

我有一个双向的一对多关系,即一个父母可以有很多孩子,一个孩子必须有一个父母,很多孩子可以有同一个父母。

请参阅以下休眠 xml 配置。这适用于加载对象。通过 id 选择父对象成功返回包含一组子对象(如果有)的父对象。

但是,当我创建一个新的父级,添加一些子级,然后要求休眠创建父级时,子级不会随之保存。我会认为hibernate会为我解决这个问题?

我怀疑我的问题是因为父级有一个 db 托管序列作为 id,所以在插入父级之前,子级不能拥有父级的 id。但是,这对hibernate来说应该不会太难处理吧?

父.hbm.xml;

<hibernate-mapping default-cascade="none">
    <class name="com.mydomain.ParentImpl" table="PARENT" dynamic-insert="false" dynamic-update="false">
        <id name="id" type="java.lang.Long" unsaved-value="null">
            <column name="ID" sql-type="BIGINT"/>
            <generator class="sequence">
                <param name="sequence">PARENT_SEQ</param>
            </generator>
        </id>
        ....
        lots of other properties
        ...
        <set name="children" lazy="true" fetch="select" inverse="true">
            <key foreign-key="parent_child_fkc">
                <column name="PARENT_FK" sql-type="BIGINT"/>
            </key>
            <one-to-many class="com.mydomain.ChildImpl" not-found="exception"/>
        </set>
   </class>
</hibernate-mapping>

Child.hbm.xml;

<hibernate-mapping default-cascade="none">
    <class name="com.mydomain.ChildImpl" table="CHILD" dynamic-insert="false" dynamic-update="false">
        <id name="id" type="java.lang.Integer" unsaved-value="null">
            <column name="ID" sql-type="INTEGER"/>
            <generator class="sequence">
                <param name="sequence">child_seq</param>
            </generator>
        </id>
        <many-to-one name="parent" class="com.mydomain.ParentImpl" foreign-key="parent_child_fkc" not-null="true" lazy="proxy" fetch="select">
            <column name="PARENT_FK" not-null="true" sql-type="BIGINT"/>
        </many-to-one>
        ...
        lots of other properties
        ...
    </class>
</hibernate-mapping>

假设 Parent 类有一个方法;

public void addChild(Child child){
    if(children == null) {
        children = new HashSet<Child>();
    }
    children.add(child);
    child.setParent(this);
}

然后在某处的代码中;

Parent parent = new Parent();
parent.addChild(new Child());
parent.addChild(new Child());
getHibernateTemplate().save(parent);

结果是 Parent 被保存到 PARENT 表,CHILD 表保持为空。

4

1 回答 1

0

您需要使用映射和级联来保存子对象。

IE

<set name="children" inverse="true" cascade="all-delete-orphan">
<key column="parent_id"/>
<one-to-many class="Child"/>

看这里:

http://docs.jboss.org/hibernate/orm/3.3/reference/en/html/example-parentchild.html#example-parentchild-update

http://docs.jboss.org/hibernate/orm/3.3/reference/en/html/collections.html

于 2012-10-17T11:34:45.667 回答