解决从spring上下午中读取的bean保存 No Hibernate Session bound to thread 错误

在项目架构中,主流框架都用了Spring的集大成者。在某些时候,我们需要从spring上下文中取得注册Bean,并操作CRUD。

我们通过实现ApplicationContextAware来获取上下文,取得想要的bean.

在保存时出现 No Hibernate Session bound to thread 错误。

需要在Service或者具体某个方法上加上@Transactional,开启了事务。

 

参考一下大侠的解释原因是:

getHibernateTemplate().getSessionFactory().getCurrentSession()的意思是得到当前线程 绑定的session,而当前线程绑定的session是通过当前的事务产生的,如果你没有配置事务的话,当前线程threadlocal中就不存在 session,这样就出现no session错误。 

而execute的回调方法,看源码HibernateTemplate中写道 
Java code
public Object execute(HibernateCallback action, boolean exposeNativeSession) throws DataAccessException {
        Assert.notNull(action, "Callback object must not be null");

        Session session = getSession();
        boolean existingTransaction = (!isAlwaysUseNewSession() &&
                (!isAllowCreate() || SessionFactoryUtils.isSessionTransactional(session, getSessionFactory())));

其中getSession,代码如下 
Java code
protected Session getSession() {
        if (isAlwaysUseNewSession()) {
            return SessionFactoryUtils.getNewSession(getSessionFactory(), getEntityInterceptor());
        }
        else if (isAllowCreate()) {
            return SessionFactoryUtils.getSession(
                    getSessionFactory(), getEntityInterceptor(), getJdbcExceptionTranslator());
        }
        else {
            try {
                return getSessionFactory().getCurrentSession();
            }
            catch (HibernateException ex) {
                throw new DataAccessResourceFailureException("Could not obtain current Hibernate Session", ex);
            }
        }
    }

其中默认private boolean alwaysUseNewSession = false,所以代码会走到else if (isAllowCreate())
注意这里:else if (isAllowCreate()),其中在HibernateTemplate类中默认private boolean allowCreate = true; 
意思说如果当前线程中的session不存在的话,是否允许创建,而默认是允许的,通过函数名字就很清楚,接下来是创建当前线程中的session的代码,所以在没有事务的状态下,用execute回调方法,就不会出现上述问题。

你可能感兴趣的:(Hibernate)