Hibernate Table Per Subclass and NonUniqueObjectException



我有几个表以表-子类的方式映射。

层次结构的顶部是EmployeeTransaction,它包含一个复合主键类:

public class EmployeeTransaction implements Serializable {
    private TransactionCompositeId id;
    @Id
    public TransactionCompositeId getId() { // etc }}
}
    public static class TransactionCompositeId implements Serializable {
        public String employeeId;
        public Long transactionId;
        // getters/setters
    }

所以,我有一个子类是HiringTransaction:

@PrimaryKeyJoinColumns(//etc)
public class HiringTransaction extends EmployeeTransaction implements Serializable {
    // etc
}

现在,有一些情况是EmployeeTransaction需要自己创建,然后才与其中一个子类关联。

以下是单元测试中的一些代码,它导致了NonUniqueObjectException:

@Test
@Rollback(false)
public void testSave()
{
    final TransactionCompositeId id = new TransactionCompositeId("777777777",553942L);
    EmployeeTransaction pt = new EmployeeTransaction();                pt.setId(id);
    pt.setLastUpdate(date);
    pt.setLastUpdatedBy(user);
    pt.setCreatedBy(user);
    pt.setCreationDate(date);
                // various setters
    employeeTransactionDAO.save(pt);

    //EmployeeTransaction pt1 = employeeTransactionDAO.get(id); 
    TransactionCompositeId newId = new TransactionCompositeId("777777777",553942L);
    HiringTransaction eth = new HiringTransaction();            
                BeanUtils.copyProperties(pt, eth);
    //HiringTransaction eth = (HiringTransaction) pt;
    //HiringTransaction eth = new HiringTransaction(pt);
    eth.setId(newId);
                // various setters/getters
    dao.save(eth);

    HiringTransaction tempEth = dao.get(id);
    assertNotNull("HiringTransaction should not be null", tempEth);
    dao.remove(id);
    ptDAO.remove(id);
    tempEth = dao.get(id);
    EmployeeTransaction tempPt = ptDAO.get(id);
    assertNotNull("EmployeeTransaction should not be null", tempEth);
    assertNotNull("HiringTransaction should not be null", tempPt);
}

我怀疑的是,我不能把这两项活动都放在一个单一的UnitOfWork中。但是,我不知道如何绕过NonUniqueObjectException。id肯定是相同的,因为映射是每个子类的表。

注意:DAO是简单的泛型DAO,调用session.save()、session.merge()等。

您正试图让EmployeeTransaction的两个不同的持久实例具有相同的ID。这是不可能的。您必须删除EmployeeTransaction,(可能)刷新会话,然后用相同的ID保存新会话。

请注意,与原始EmployeeTransaction的所有关联也必须删除。如果这不可能,那么你不应该有一个固有关系,而是一个组合关系:一个EmployeeTransaction有(零或)一个HiringTransaction。

最新更新