`

spring管理hibernate session的问题探究

阅读更多

我们再用spring管理hibernate的时候, 我们会继承HibernateDaoSupport 或者HibernateTemplate类.

我们不知道这两个类之间有什么关系. 也没有去关闭session. 让我很是心不安,他可没有关闭session呀.如果..真的是后果不堪设想.百度了好久, 谷歌了好多. 都没有一个像样的说法. 说spring中HibernateDaoSupport会自己关闭session.

眼见为实.于是乎决定查看spring源码一探究竟.

先打开HibernateDaoSupoprt看看.

public abstract class HibernateDaoSupport extends DaoSupport {

	private HibernateTemplate hibernateTemplate;

 public final void setSessionFactory(SessionFactory sessionFactory) {
	  this.hibernateTemplate = createHibernateTemplate(sessionFactory);
	}

protected HibernateTemplate createHibernateTemplate(SessionFactory sessionFactory) {
		return new HibernateTemplate(sessionFactory);
	}
public final SessionFactory getSessionFactory() {
		return (this.hibernateTemplate != null ? this.hibernateTemplate.getSessionFactory() : null);
	}
public final void setHibernateTemplate(HibernateTemplate hibernateTemplate) {
		this.hibernateTemplate = hibernateTemplate;
	}
public final HibernateTemplate getHibernateTemplate() {
	  return hibernateTemplate;
	}
protected final void checkDaoConfig() {
		if (this.hibernateTemplate == null) {
			throw new IllegalArgumentException("sessionFactory or hibernateTemplate is required");
		}
	}
protected final Session getSession()
	    throws DataAccessResourceFailureException, IllegalStateException {

		return getSession(this.hibernateTemplate.isAllowCreate());
	}
protected final Session getSession(boolean allowCreate)
	    throws DataAccessResourceFailureException, IllegalStateException {

		return (!allowCreate ?
		    SessionFactoryUtils.getSession(getSessionFactory(), false) :
				SessionFactoryUtils.getSession(
						getSessionFactory(),
						this.hibernateTemplate.getEntityInterceptor(),
						this.hibernateTemplate.getJdbcExceptionTranslator()));
	}
protected final DataAccessException convertHibernateAccessException(HibernateException ex) {
		return this.hibernateTemplate.convertHibernateAccessException(ex);
	}
protected final void releaseSession(Session session) {
		SessionFactoryUtils.releaseSession(session, getSessionFactory());
	}

 

在这里我们会注意到一个private 对象. 那就是HibernateTemplate. 这里面也有一个HibernateTemplate的set. get.

 

哦: 原来如此.呵呵,很白痴的事.

比如说. BaseDao extends HibernateDaoSupport 我们会super.getHibernateTemplate.find(hql);

                                                                                    super.getHibernateTemplate.save(obj);

        和BaseDao extends HibernateTemplate 中super.find(hql)和super.save(obj);是等效的.  原来没有思考害的我改了一个多小时. 汗..

 

下面我们来看看HibernateTemplate是怎么样来操作session的呢.

照样我们贴出源代码. 由于这个类代码较多. 我只贴出来几个代表性的属性和方法, 供大家参考.

 

public class HibernateTemplate extends HibernateAccessor implements HibernateOperations {

 private boolean allowCreate = true;

 private boolean alwaysUseNewSession = false;

 private boolean exposeNativeSession = false;

 private boolean checkWriteOperations = true;

 private boolean cacheQueries = false;

 private String queryCacheRegion;

 private int fetchSize = 0;

 private int maxResults = 0;

 

 public void ......();

} 一系列的方法.

 

下面我们看看save()方法.

 

public Serializable save(final Object entity) throws DataAccessException {
		return (Serializable) execute(new HibernateCallback() {
			public Object doInHibernate(Session session) throws HibernateException {
				checkWriteOperationAllowed(session);
				return session.save(entity);
			}
		}, true);
	}

 

 我们再看看update(), merge(), find()等方法的源码.

 

//update 方法

public void update(Object entity) throws DataAccessException {
		update(entity, null);
	}

	public void update(final Object entity, final LockMode lockMode) throws DataAccessException {
		execute(new HibernateCallback() {
			public Object doInHibernate(Session session) throws HibernateException {
				checkWriteOperationAllowed(session);
				session.update(entity);
				if (lockMode != null) {
					session.lock(entity, lockMode);
				}
				return null;
			}
		}, true);
	}


//merge()

public Object merge(final Object entity) throws DataAccessException {
		return execute(new HibernateCallback() {
			public Object doInHibernate(Session session) throws HibernateException {
				checkWriteOperationAllowed(session);
				return session.merge(entity);
			}
		}, true);
	}

//find()
public List find(String queryString) throws DataAccessException {
		return find(queryString, (Object[]) null);
	}

	public List find(String queryString, Object value) throws DataAccessException {
		return find(queryString, new Object[] {value});
	}

	public List find(final String queryString, final Object[] values) throws DataAccessException {
		return (List) execute(new HibernateCallback() {
			public Object doInHibernate(Session session) throws HibernateException {
				Query queryObject = session.createQuery(queryString);
				prepareQuery(queryObject);
				if (values != null) {
					for (int i = 0; i < values.length; i++) {
						queryObject.setParameter(i, values[i]);
					}
				}
				return queryObject.list();
			}
		}, true);
	}

 

 细心的朋友们可能发现了. 他们无一例外的都调用了一个叫做execute()的方法. 对了. 我们再看看execute的面目.到底他干了一件什么样的事情呢?]

public Object execute(HibernateCallback action, boolean exposeNativeSession) throws DataAccessException {
		Session session = getSession();
		boolean existingTransaction = SessionFactoryUtils.isSessionTransactional(session, getSessionFactory());
		if (existingTransaction) {
			logger.debug("Found thread-bound Session for HibernateTemplate");
		}

		FlushMode previousFlushMode = null;
		try {
			previousFlushMode = applyFlushMode(session, existingTransaction);
			enableFilters(session);
			Session sessionToExpose = (exposeNativeSession ? session : createSessionProxy(session));
			Object result = action.doInHibernate(sessionToExpose);
			flushIfNecessary(session, existingTransaction);
			return result;
		}
		catch (HibernateException ex) {
			throw convertHibernateAccessException(ex);
		}
		catch (SQLException ex) {
			throw convertJdbcAccessException(ex);
		}
		catch (RuntimeException ex) {
			// Callback code threw application exception...
			throw ex;
		}
		finally {
			if (existingTransaction) {
				logger.debug("Not closing pre-bound Hibernate Session after HibernateTemplate");
				disableFilters(session);
				if (previousFlushMode != null) {
					session.setFlushMode(previousFlushMode);
				}
			}
			else {
				SessionFactoryUtils.releaseSession(session, getSessionFactory());
			}
		}
	}

 

 

    抛掉其他的不管. finally中我们可以看到. 如果existingTransaction 他会

logger.debug("Not closing pre-bound Hibernate Session after HibernateTemplate");
disableFilters(session);
if (previousFlushMode != null) {
session.setFlushMode(previousFlushMode);
}

他并没有立即关闭session.

否则
SessionFactoryUtils.releaseSession(session, getSessionFactory());

他释放掉了session . 真的close()了吗?

我们在看看sessionFactoryUtil.的releaseSession()

 

public static void releaseSession(Session session, SessionFactory sessionFactory) {
		if (session == null) {
			return;
		}
		// Only close non-transactional Sessions.
		if (!isSessionTransactional(session, sessionFactory)) {
			closeSessionOrRegisterDeferredClose(session, sessionFactory);
		}
	}

 static void closeSessionOrRegisterDeferredClose(Session session, SessionFactory sessionFactory) {
  Map holderMap = (Map) deferredCloseHolder.get();
  if (holderMap != null && sessionFactory != null && holderMap.containsKey(sessionFactory)) {
   logger.debug("Registering Hibernate Session for deferred close");
   Set sessions = (Set) holderMap.get(sessionFactory);
   sessions.add(session);
   if (!session.isConnected()) {
    // We're running against Hibernate 3.1 RC1, where Hibernate will
    // automatically disconnect the Session after a transaction.
    // We'll reconnect it here, as the Session is likely gonna be
    // used for lazy loading during an "open session in view" pase.
    session.reconnect();
   }
  }
  else {
   doClose(session);
  }
 }
	private static void doClose(Session session) {
		if (session != null) {
			logger.debug("Closing Hibernate Session");
			try {
				session.close();
			}
			catch (HibernateException ex) {
				logger.error("Could not close Hibernate Session", ex);
			}
			catch (RuntimeException ex) {
				logger.error("Unexpected exception on closing Hibernate Session", ex);
			}
		}
	}

 

 


    呵呵, 現在終於心安裡德的去睡覺了.  因为他真的关了.

 

 

 

 

分享到:
评论

相关推荐

    spring整合hibernate示例代码

    这个示例代码可能包含了一个简单的SSH项目,展示了如何配置Spring的IoC(Inversion of Control,控制反转)容器来管理Hibernate的Session,以及如何在业务逻辑层和数据访问层之间建立联系。 "示例代码"意味着我们将...

    spring hibernate 事务管理学习笔记(一)

    在Spring中,我们可以配置`PlatformTransactionManager`接口的实现类,如`HibernateTransactionManager`,它会自动感知Hibernate Session并管理事务。通过声明式事务管理,我们只需在方法上添加`@Transactional`注解...

    struts+spring+hibernate 英文 API

    例如,Struts 可以处理用户请求和转发,Spring 可以管理对象生命周期和依赖关系,而 Hibernate 则负责数据持久化。在实际项目中,Spring 可以用来配置 Struts 的 Action 类,并通过 Hibernate 的 ORM 功能来处理...

    springmvc+spring+hibernate的项目源代码

    Spring可以管理Hibernate的Session工厂和事务,确保事务的一致性和隔离性。 在IntelliJ IDEA中配置SSH项目,你需要完成以下步骤: 1. 创建一个新的Maven或Gradle项目,并在pom.xml或build.gradle中添加Spring、...

    struts1.2 + spring2.5 + hibernate3.2框架demo

    2. **配置文件**:struts-config.xml定义Struts的配置,spring-beans.xml管理Spring的bean,hibernate.cfg.xml配置Hibernate的数据库连接,可能还有实体类的映射文件(hbm.xml或使用注解)。 3. **JSP页面**:展示...

    spring和hibernate源文件

    通过深入研究 Spring 和 Hibernate 的源代码,开发者不仅可以提高自己的技能,还能更好地定制和优化应用程序,解决实际问题。同时,这也有助于跟踪框架的最新发展,以便及时掌握新技术和最佳实践。

    spring Spring MVC Hibernate 4.x 整合案例

    在IT领域,Spring、Spring MVC和Hibernate是三个非常重要的开源框架,它们分别在不同层面上为Java应用程序提供了强大的支持。本整合案例将详细介绍如何将这三个框架整合在一起,以实现一个完整的Web应用程序,涵盖...

    spring,hibernate源码

    深入研究Spring源码,可以了解其内部如何实现Bean的生命周期管理、AOP代理、事件驱动机制、以及Spring MVC的工作流程。 **Hibernate 源码解读** Hibernate 提供了一种在Java应用程序中管理关系数据库的方式。其...

    spring_hibernate工程

    "Spring_Hibernate工程"是一个整合了Spring框架和Hibernate ORM(对象关系映射...通过深入研究和实践这个"Spring_Hibernate工程",开发者不仅可以提升对Spring和Hibernate的理解,还能提高在实际项目中解决问题的能力。

    struts_spring_hibernate小项目_会员管理

    6. **学习要点**:学习这个项目,应重点掌握如何配置Struts、Spring和Hibernate的整合,理解Action、Service、DAO之间的关系,以及如何使用Hibernate的Session接口进行数据库操作。同时,也要关注Spring的AOP如何...

    spring,hibernate整合实现事务管理(MethodInterceptor)

    标题中的“spring,hibernate整合实现事务管理(MethodInterceptor)”是指在Java开发中,使用Spring框架与Hibernate ORM框架进行集成,以实现应用的事务管理。Spring以其强大的依赖注入(DI)和面向切面编程(AOP)...

    Struts2+Spring+Hibernate(SSH2)信息管理系统网站个人编写案例

    在这个信息管理系统中,Spring负责管理所有Bean的生命周期,包括Struts2的Action和Hibernate的数据访问对象(DAO)。通过Spring的AOP,可以在全局范围内处理事务,确保数据的一致性。同时,Struts2和Hibernate的集成...

    struts spring hibernate组合的留言板程序

    Struts、Spring 和 Hibernate 是Java Web开发中的三大主流框架,它们各司其职,共同构建了一个高效、可扩展且易于管理的Web应用程序。Struts作为MVC(模型-视图-控制器)架构的实现,主要负责处理用户请求并进行业务...

    spring + hibernate development

    在IT领域,Spring和Hibernate是两个非常重要的框架,它们分别专注于应用的依赖管理和持久化层。Spring是一个全面的Java企业级应用开发框架,而Hibernate是一个流行的Object-Relational Mapping(ORM)工具,使得...

    Ext+Spring+Hibernate(原创送给javaeye朋友)

    标题 "Ext+Spring+Hibernate(原创送给javaeye朋友)" 暗示了这是一个关于整合Java技术栈的教程或示例项目,其中涉及了三个关键组件:Ext(ExtJS)、Spring和Hibernate。这些技术在企业级Java开发中广泛使用,分别用于...

    Spring+Hibernate小程序

    此外,Spring的DAO抽象层可以与Hibernate的Session接口集成,以实现数据访问层。通过博客链接(已省略),可能可以获取到更具体的实现细节、配置示例和问题解决方案。 总的来说,这个项目为学习和实践Spring和...

    双鱼林struts+spring+hibernate图书管理系统.zip

    总的来说,《双鱼林struts+spring+hibernate图书管理系统》是一个典型的Java Web项目实例,它涵盖了现代Web应用开发中的多个关键技术和最佳实践,是学习和研究Java企业级应用开发的宝贵资源。通过深入研究这个系统,...

    Struts,Spring,Hibernate源码包

    Hibernate实体类的生命周期管理,包括持久化、瞬时态、托管态和游离态,都在Session接口的实现中得以体现。此外,Criteria和HQL查询语言的解析过程也十分值得研究。 阅读这三个框架的源码,不仅可以帮助你理解它们...

    WebWork+Spring+Hibernate源码

    在 WebWork+Spring 的整合中,Hibernate 负责将业务对象与数据库表进行映射,通过 Session 和 Transaction API 实现数据的增删改查。 整合这三者的关键在于配置。首先,你需要在 Spring 配置文件中定义 Hibernate ...

    Spring和Hibernate的整合

    例如,可以查看Hibernate的Session是如何创建和管理的,以及Spring如何通过AOP实现事务管理。 最后,"工具"标签可能指的是在整合过程中可能会用到的一些辅助工具,如IDEA的插件,Maven或Gradle的依赖管理,以及像H2...

Global site tag (gtag.js) - Google Analytics