我实际上从来没有完全理解休眠中的这种行为。我在名为“父”的实体中使用@OneToMany 关系,其注释如下:
@OneToMany(cascade = {CascadeType.ALL, CascadeType.PERSIST, CascadeType.MERGE, CascadeType.REMOVE }, orphanRemoval = true)
@JoinColumn(name = "entity_id", insertable = true, updatable = true, nullable = false)
private List<Child> children;
现在我想在一笔交易中执行以下操作:
- 获取父实体
- 遍历孩子列表
- 删除其中一个孩子
- 插入一个新的孩子
所以,基本上我只是完全替换了其中一个孩子。
据我了解这个问题,我应该能够做这样的事情:(请注意,这只是一些java伪代码来说明问题)
@TransactionAttribute(TransactionAttributeType.REQUIRED)
public void deleteAndAdd(Long parentId, Long childId) {
Parent parent = entityManager.find(parentId);
for (Iterator it = parent.children.iterator(); it.hasNext();) {
Child child = it.next();
if (child.id == childId) {
it.remove();
}
}
Child newChild = new Child();
parent.children.add(newChild);
}
但是,如果新 Child 与旧 Child 具有相同的唯一键值,则此操作将失败。所以,基本上看起来旧的子实体在新实体被保留之前没有被正确删除。
如果我在删除旧孩子和保留新孩子之间添加一个 entityManager.flush(),如下所示:
@TransactionAttribute(TransactionAttributeType.REQUIRED)
public void deleteAndAdd(Long parentId, Long childId) {
Parent parent = entityManager.find(parentId);
for (Iterator it = parent.children.iterator(); it.hasNext();) {
Child child = it.next();
if (child.id == childId) {
it.remove();
}
}
entityManager.flush();
Child newChild = new Child();
parent.children.add(newChild);
}
一切正常。孩子在插入新的之前被删除,这是应该的。
由于我不想假设 hibernate 混淆了发送到数据库的语句的顺序,所以我对 hibernate 的假设肯定不是这样。任何想法为什么后一个示例有效,而第一个示例无效?
休眠版本是 3.5。DB是Mysql InnoDB