我有2个实体:Group
和Grouped
,有1个ManyToMany关联。
在数据库中,Association
表在Group
和Grouped
上都有一个NOT NULL FK。
我希望Hibernate在删除所有分组后删除关联,但不删除组。
删除Grouped
实体的代码:
@Autowired
private final GroupedRepository groupedRepository;
public void delete(Grouped groupedToRemove) {
groupedRepository.delete(groupedToRemove);
}
如果我设置cascade = CascadeType.ALL
或cascade = CascadeType.REMOVE
,则删除Group
实体时会删除Grouped
个实体,而不仅仅是关联:
@ManyToMany(cascade = CascadeType.ALL, // same behavior with CascadeType.REMOVE
mappedBy = "grouped",
targetEntity = Group.class)
private Set<Group> groups = new HashSet<>();
如果我删除级联,hibernate会尝试设置group_id = null并抛出ModelConstraintException
。我不想将FK设置为可空。
集团实体:
@Entity
@Table(name = "groups")
@Getter
@Setter
public class Group {
@Id
@GeneratedValue(strategy = GenerationType.AUTO)
private Integer id;
@ManyToMany(targetEntity = Grouped.class)
@JoinTable(
name = "association",
joinColumns = @JoinColumn(name = "group_id", nullable = false, updatable = false),
inverseJoinColumns = @JoinColumn(name = "grouped_id", nullable = false, updatable = false)
)
private Set<Grouped> grouped= new HashSet<>();
}
分组实体:
@Entity
@Table(name = "grouped")
@Getter
@Setter
public class Grouped {
@Id
@GeneratedValue(strategy = GenerationType.AUTO)
private Integer id;
@ManyToMany(mappedBy = "grouped", targetEntity = Group.class)
private Set<Group> groups= new HashSet<>();
}
答案 0 :(得分:4)
这是预期的行为。删除级联意味着:删除此实体时,还要删除关联的实体。在ManyToXxx上没有任何意义,因为很明显,其他实体仍在引用相关实体。
如果要删除Grouped,但将关联的组保留在那里,则需要首先删除两个实体之间的关联:
for (Group group : grouped.getGroups()) {
group.getGrouped().remove(grouped);
}
grouped.getGroups().clear();
然后删除Grouped实体,该实体不再与任何组关联。