spring-data-jpa,克隆ManyToMany映射表

时间:2016-01-15 05:02:02

标签: spring hibernate jpa

我有以下JPA实体 (使用spring-data-jpa 1.9.1.RELEASE和Hibernate 4.3.11.Final)

@Getter @Setter @Entity @Table(name = "product")
class Product {

  @Id @GeneratedValue
  private Long id;

  @Column(name="name")
  private String name;

  @ManyToMany(cascade = CascadeType.PERSIST)
  @JoinTable(
    name = "product_attachment",
    joinColumns = {
      @JoinColumn(name = "product_id", referencedColumnName = "id")
    },
    inverseJoinColumns = {
      @JoinColumn(name = "attachment_id", referencedColumnName = "id")
    }
  )
  private List<Attachment> attachments;
}

我需要克隆productproduct_attachment列。 (不是attachment,所以它是主表)

private Product _clone(Product src) {

  Product dst = new Product();
  BeanUtils.copyProperties(src, dst, "id", "attachments");

  dst.setAttachments(src.getAttachments());

  return productRepository.save(dst);
}

但是我得到了Exception。

org.hibernate.HibernateException: Found shared references to a collection: Product.attachments

我对此问题的解决方法是再次获得相同的实体。代码如下。

private Product _clone(Product src) {

  Product dst = new Product();
  BeanUtils.copyProperties(src, dst, "id", "attachments");

  dst.setAttachments(
    attachmentRepository.findAll(
      src.getAttachments().stream()
        .map(Attachment::getId).collect(Collectors.toList())
    )
  );

  return productRepository.save(dst);
}

但似乎多余,任何人都知道更好的方式吗?

2 个答案:

答案 0 :(得分:2)

您不得克隆集合attachments itselfe,而必须复制其内容。 (我认为原因是Hibernate使用一些黑客来检测集合内容的变化)。

 dst.attachments = new ArrayList(src.attachments);

答案 1 :(得分:2)

问题是您复制的列表引用了源Product(浅)的附件。

您应使用与手动复制产品相同的方法复制附件条目:

Product dst = new Product();
BeanUtils.copyProperties(src, dst, "id", "attachments");
dst.setAttachments(new ArrayList<Attachment>(src.getAttachments().size()));
for(Attachment a : src.getAttachments()){
    Attachment dstA = new Attachment();
    BeanUtils.copyProperties(a, dstA, {Your properties});
    a.getAttachments().add(dstA);
}

或者您可以使用辅助类(如Apache Commons SerializationUtils.clone()方法)来执行源产品的深层复制。