1

我正在使用 Hibernate (4.1.8.FINAL)、MySQL (InnoDB),并且在保存多个实体时遇到问题。

根据 Hibernate 文档http://docs.jboss.org/hibernate/orm/4.1/manual/en-US/html/ch15.html应该支持批处理,但我得到以下异常:

org.hibernate.TransactionException: nested transactions not supported
    at org.hibernate.engine.transaction.spi.AbstractTransactionImpl.begin(AbstractTransactionImpl.java:152)
    at org.hibernate.internal.SessionImpl.beginTransaction(SessionImpl.java:1395)
    ...

这是我编写的代码(Class EntryDaoImpl.java):

@Transaction
public void saveAll(final Collection<T> entities) {
    if (CollectionUtils.isEmpty(entities)) {
        return;
    }
    final Session session = this.sessionFactory.getCurrentSession();
    Transaction tx = null;
    try {
        tx = session.beginTransaction();
        for (final T entity : entities) {
            session.saveOrUpdate(entity);
        }
        tx.commit();
    } catch (final RuntimeException e) {
        if (tx != null) {
            tx.rollback();
        }
        throw e;
    } finally {
        session.flush();
        session.clear();
    }
}

这是 JUnit 方法:

@Test
public void deleteAddress() {
    Entry entry;
    // Entry 2 has three addresses (delete all those)
    entry = this.entryDao.findById(2);
    Assert.assertEquals(3, entry.getAddresses().size());
    entry.setAddresses(null);
    this.entryDao.saveAll(Collections.singleton(entry));
}

如果只更新一个实体,也会发生异常。我也尝试使用 openSession() 而不是 getCurrentSession() 但异常如下:

org.hibernate.HibernateException: Illegal attempt to associate a collection with two open sessions
    at org.hibernate.collection.internal.AbstractPersistentCollection.setCurrentSession(AbstractPersistentCollection.java:638)
    at org.hibernate.event.internal.OnUpdateVisitor.processCollection(OnUpdateVisitor.java:65) 

如果我没有事务逻辑,那么它就可以工作。在使用搜索引擎进行研究期间,我看到许多开发人员告诉 Hibernate 根本不支持事务。不确定此声明是否已过时。使困惑

所以我的问题是:Hibernate 是否支持事务(如文档中所述)?和/或你能告诉我我的代码有什么问题吗?谢谢 :-)

4

1 回答 1

1

您正在使用声明性事务 (@Transaction) 以及程序性事务。

tx = session.beginTransaction();
for (final T entity : entities) {
    session.saveOrUpdate(entity);
}
tx.commit();

由于您在同一代码中使用这两个事务,Hibernate 抱怨

org.hibernate.TransactionException: nested transactions not supported

删除您Transaction班级顶部的注释,它应该可以工作,否则删除您的beginTransactionand commit

希望能帮助到你。

于 2012-11-10T22:45:58.770 回答