Hibernate:合并父级后,子ID为null

时间:2017-01-29 20:58:35

标签: java hibernate jpa

我已经在stackoverflow上倾注了类似的问题,但我无法找到正确的答案,所以如果可以的话,我会发布这个问题:

我在Spring Boot应用程序中有一个典型的一对多Parent-Child实体。因此,我创建了一个新子项,将其添加到父项,以及merge / flush / clear实体管理器。子实体使用新ID正确保存在数据库中,但Parent对象下的Child对象ID为零。我错过了什么会强制刷新ID?

创建新子代的代码位于最初获取Parent的同一个控制器中,因此它使用相同的DAO和相同的实体管理器。

这是我的代码(实体主要由JPA生成):

父:

@Entity
public class Parent implements Serializable {
    @Id
    @GeneratedValue(strategy=GenerationType.IDENTITY)
    private int id;

    @OneToMany(mappedBy="parent", fetch=FetchType.EAGER, cascade={CascadeType.MERGE})
    private List<Child> children;

    public List<Child> getChildren() {
        return this.Children;
    }

    public void setChildren(List<Child> children) {
        this.children = children;
    }

    public Child addChild(Child child) {
        getChildren().add(child);
        child.setParent(this);
        return child;
    }
}

子:

@Entity
public class Child implements Serializable {
    @Id
    @GeneratedValue(strategy=GenerationType.IDENTITY)
    private int id;

    @ManyToOne(cascade={CascadeType.MERGE})
    @JoinColumn(name="parent_id")
    private Parent parent;

    public Parent getParent() {
        return this.parent;
    }

    public void setParent(Parent parent) {
        this.parent = parent;
    }
}

DAO:

@Repository
public class ParentDao {
    @PersistenceContext
    private EntityManager entityManager;

    @Transactional
    public void update(Parent parent) {
        entityManager.merge(parent);
        entityManager.flush();
        entityManager.clear();
    }
}

控制器:

@Autowired
private ParentDao parentDao;

. . . createChild() {
    Child child = new Child();
    // Set the link on both sides of the relationship
    parent.addChild(child);
    parentDao.update(parent);
    // --> child.getId() == 0
}

1 个答案:

答案 0 :(得分:1)

当merge()在新实体(在你的情况下是Child)上调用时,它的工作方式就是一个带有一个小差异的persist()调用。

它只创建传递的实体的副本,并在副本上调用persist()。

因此,您的父实体无法看到ID的更改,因为它正在保持“旧”状态。没有持久化并且最终以新的身份更新的Child的实例。

希望能够解决问题。

<强>更新

要获得新状态,您需要:

1)更改事务存储库方法以返回merge()值:

@Transactional
    public Parent update(Parent parent) {
        Parent newParent = entityManager.merge(parent);
        entityManager.flush();
        entityManager.clear();
        return newParent
    }

2)更改您的服务:

@Autowired
private ParentDao parentDao;

. . . createChild() {
    Child child = new Child();
    // Set the link on both sides of the relationship
    parent.addChild(child);
    Parent newParent = parentDao.update(parent);
    // --> newParent.getChildren(0).getId() == 0
}