Hibernate入门BLOG[十四、Hibernate的懒加载和缓存机制]

在关系模型的对应关系中一对一、一对多、和多对多。都已经做了相关案例Hibernate在提供这些查询的时候它有一种懒加载的机制。比如:
之前我们举例的一对一的案例Person-Idcard。如果我们只查询person那么会不会查询Idcard呢?
public class Person {
	private int id;
	private String name;
	private IdCard idcard;
}
毕竟Idcard也是Person类的一个属性。如上面的代码:
如果我们查询一个person我们只是用到了这个person的name属性。而用不到它关联的idcard部分。那么我们就可以在配置文件中设置lazy=”true”的一个选项。如下面的代码:
<hibernate-mapping 
	package="cn.hibernate.model">
	<class name="Person" table="person">
		<id name="id">
			<generator class="native" />
		</id>
		<property name="name" column="name"/>
		<!-- 一对一的对象关系描述 -->
		<one-to-one name="idcard" lazy="false"/>
	</class>
</hibernate-mapping>
当懒加载开启的时候那么我们查询person对象不会去查询相应的Idcard。只有在我们用person对象的get方法调用idcard对象的时候才会执行查询。这样就提高了效率。



举例sql说明:
下面的这些代码只是查询Emp员工对象。 
	s = HibernateUtil.getSession();
			Employee emp = (Employee) s.get(Employee.class, 2);
懒加载开启:
只输出一句sql:
select employee0_.id as id2_0_, employee0_.empname as empname2_0_, employee0_.dept_id as dept3_2_0_ from employee employee0_ where employee0_.id=?
懒加载未开启:
输出两句查询sql:
Hibernate: select employee0_.id as id2_0_, employee0_.empname as empname2_0_, employee0_.dept_id as dept3_2_0_ from employee employee0_ where employee0_.id=?
Hibernate: select dept0_.id as id1_0_, dept0_.deptname as deptname1_0_ from dept dept0_ where dept0_.id=?
注意:
懒加载的对象是代理对象,getId是不用访问数据库的。另外getClass得到的也是一个代理对象。只有get其他属性的时候才会访问数据库。Session的load方法可以懒加载。然后用Hibernate.initialize(proxyObj)load方法实例化该代理对象。


懒加载通过asm和cglib包实现。

Hibernate的缓存机制

在创建数据库连接并且建立通信的过程消耗的资源和过程是比较复杂而且多的。因此Hibernate建立了相关的缓存机制。

Hibernate缓存分为2级:session级别和第三方缓存插件

二级缓存:

交给了第三方的缓存框架。

Oscatch

1、配置

<!-- 设置hibernate2级缓存。默认情况下为false -->

<property name="hibernate.cache.use_second_level_cache">false</property>

<property name="cache.provider_class">org.hibernate.cache.OSCacheProvider</property>

<!-- 指定需要缓存的对象 -->

<class-cache usage="read-write" class="cn.hibernate.model.User"/>

指定缓存对象:也可以再hbm.xml里面配置

<cache usage="read-write"/>

</hibernate-mapping>

2、加入osCache配置的properties文件。这个文件在hibernate的下载文件中有相关的参考


同样也是加入classPath下面

读取顺序为:

一级缓存---二级缓存----数据库

Clear方法会清楚1级缓存

统计信息:

hibernate.generate_statistics

<!-- 统计信息的配置 -->

<property name="generate_statistics">true</property>

实用统计信息:

Statistics ss = ((Session) s).getSessionFactory().getStatistics();

//2级缓存的统计情况

System.out.println(ss.getSecondLevelCacheHitCount());


你可能感兴趣的:(Hibernate,数据库,session,properties,Blog,statistics)