1. 程式人生 > >hibernate學習篇——二級快取,hibernate 整合ehcache

hibernate學習篇——二級快取,hibernate 整合ehcache

1.為什麼需要快取
把很少被修改或根本不改的資料快取,提高程式的效能

2.資料庫型別
關係型資料庫:資料與資料之間存在關係(聯絡)的資料庫 mysql/Oracle、sqlserver
非關係型資料庫:資料與資料之間是不存在關係的,key-value
1、基於檔案儲存的資料庫:ehcache
2、基於記憶體儲存的資料庫:redis、memcache
3、基於文件儲存的資料庫:mongodb

3. ehcache是什麼以及其特點
Ehcache 是現在最流行的純Java開源快取框架,配置簡單、結構清晰、功能強大

特點:
1 夠快
Ehcache的發行有一段時長了,經過幾年的努力和不計其數的效能測試,Ehcache終被設計於large, high concurrency systems.
2 夠簡單
開發者提供的介面非常簡單明瞭,從Ehcache的搭建到運用執行僅僅需要的是你寶貴的幾分鐘。
其實很多開發者都不知道自己用在用Ehcache,Ehcache被廣泛的運用於其他的開源專案
3 夠袖珍
關於這點的特性,官方給了一個很可愛的名字small foot print ,一般Ehcache的釋出版本不會到2M,V 2.2.3 才 668KB。
4 夠輕量
核心程式僅僅依賴slf4j這一個包,沒有之一!
5 好擴充套件
Ehcache提供了對大資料的記憶體和硬碟的儲存,最近版本允許多例項、儲存物件高靈活性、提供LRU、LFU、FIFO淘汰演算法,基礎屬性支援熱配置、支援的外掛多
6 監聽器
快取管理器監聽器 (CacheManagerListener)和 快取監聽器(CacheEvenListener),做一些統計或資料一致性廣播挺好用的
7 分散式快取
從Ehcache 1.2開始,支援高效能的分散式快取,兼具靈活性和擴充套件性

4.ehcache的使用
第一步:匯入ehcache.xml 檔案

<?xml version="1.0" encoding="UTF-8"?>
<ehcache xmlns:xsi="http://www.w3.org/2001/XMLSchema-instance"
         xsi:noNamespaceSchemaLocation="http://ehcache.org/ehcache.xsd"
         updateCheck="false">
    <!--磁碟儲存:將快取中暫時不使用的物件,轉移到硬碟,類似於Windows系統的虛擬記憶體-->
    <!--path:指定在硬碟上儲存物件的路徑-->
    <!--java.io.tmpdir 是預設的臨時檔案路徑。 可以通過如下方式打印出具體的檔案路徑 System.out.println(System.getProperty("java.io.tmpdir"));-->
    <diskStore path="java.io.tmpdir"/>


    <!--defaultCache:預設的管理策略-->
    <!--eternal:設定快取的elements是否永遠不過期。如果為true,則快取的資料始終有效,如果為false那麼還要根據timeToIdleSeconds,timeToLiveSeconds判斷-->
    <!--maxElementsInMemory:在記憶體中快取的element的最大數目-->
    <!--overflowToDisk:如果記憶體中資料超過記憶體限制,是否要快取到磁碟上-->
    <!--diskPersistent:是否在磁碟上持久化。指重啟jvm後,資料是否有效。預設為false-->
    <!--timeToIdleSeconds:物件空閒時間(單位:秒),指物件在多長時間沒有被訪問就會失效。只對eternal為false的有效。預設值0,表示一直可以訪問-->
    <!--timeToLiveSeconds:物件存活時間(單位:秒),指物件從建立到失效所需要的時間。只對eternal為false的有效。預設值0,表示一直可以訪問-->
    <!--memoryStoreEvictionPolicy:快取的3 種清空策略-->
    <!--FIFO:first in first out (先進先出)-->
    <!--LFU:Less Frequently Used (最少使用).意思是一直以來最少被使用的。快取的元素有一個hit 屬性,hit 值最小的將會被清出快取-->
    <!--LRU:Least Recently Used(最近最少使用). (ehcache 預設值).快取的元素有一個時間戳,當快取容量滿了,而又需要騰出地方來快取新的元素的時候,那麼現有快取元素中時間戳離當前時間最遠的元素將被清出快取-->
    <defaultCache eternal="false" maxElementsInMemory="1000" overflowToDisk="false" diskPersistent="false"
                  timeToIdleSeconds="0" timeToLiveSeconds="600" memoryStoreEvictionPolicy="LRU"/>


    <!--name: Cache的名稱,必須是唯一的(ehcache會把這個cache放到HashMap裡)-->
    <cache name="stuCache" eternal="false" maxElementsInMemory="100"
           overflowToDisk="false" diskPersistent="false" timeToIdleSeconds="0"
           timeToLiveSeconds="300" memoryStoreEvictionPolicy="LRU"/>
</ehcache>

第二步 :匯入依賴(maven專案 記得要在有網的情況下)
pom.xml (會匯入一個依賴的包 sfl4j.jar)

<dependency>
      	<groupId>net.sf.ehcache</groupId>
        <artifactId>ehcache</artifactId>
        <version>2.10.0</version>
</dependency>

第三步:匯入幫助類 (EhcacheUtil)

public class EhcacheUtil {

    private static CacheManager cacheManager;//快取管理器

    static {
        try {
            InputStream is = EhcacheUtil.class.getResourceAsStream("/ehcache.xml");
            cacheManager = CacheManager.create(is);
        } catch (Exception e) {
            throw new RuntimeException(e);
        }
    }

    private EhcacheUtil() {
    }

    /**
     * 存入值
     * @param cacheName
     * @param key
     * @param value
     */
    public static void put(String cacheName, Object key, Object value) {
        Cache cache = cacheManager.getCache(cacheName);
        if (null == cache) {
            //以預設配置新增一個名叫cacheName的Cache
            cacheManager.addCache(cacheName);
            cache = cacheManager.getCache(cacheName);
        }
        cache.put(new Element(key, value));
    }


    public static Object get(String cacheName, Object key) {
        Cache cache = cacheManager.getCache(cacheName);
        Element element = cache.get(key);
        return null == element ? null : element.getValue();
    }

    public static void remove(String cacheName, Object key) {
        Cache cache = cacheManager.getCache(cacheName);
        cache.remove(key);
    }
}

第四步:測試配置檔案是否正確

public class EhcacheTest1 {

	public static void main(String[] args) {
//		System.out.println(System.getProperty("java.io.tmpdir"));儲存快取檔案的地址,在配置檔案中可以更改
		EhcacheUtil.put("stuCache", "1", "No1");
		EhcacheUtil.put("stuCache", "2", "No2");
		//key 的資料型別要相同
		//System.out.println(EhcacheUtil.get("stuCache", 1));沒有結果
		System.out.println(EhcacheUtil.get("stuCache", "1"));
	}
	
}

第五步:第四步中在控制檯會出現紅色的錯誤,類似下圖

在這裡插入圖片描述

問題原因:slf4j是一個抽象的日誌系統,需要一個實現類log4j2(非同步,日誌檔案與資料庫操作日誌互不影響)
解決方法是:在pom.xml匯入log4j2 執行測試類還是會報錯 還需要一個log4j2.xml

		<!-- log配置:Log4j2 + Slf4j -->
		<!-- slf4j核心包 -->
		<dependency>
			<groupId>org.slf4j</groupId>
			<artifactId>slf4j-api</artifactId>
			<version>1.7.7</version>
		</dependency>
		<dependency>
			<groupId>org.slf4j</groupId>
			<artifactId>jcl-over-slf4j</artifactId>
			<version>1.7.7</version>
			<scope>runtime</scope>
		</dependency>

		<!--用於與slf4j保持橋接 -->
		<dependency>
			<groupId>org.apache.logging.log4j</groupId>
			<artifactId>log4j-slf4j-impl</artifactId>
			<version>2.9.1</version>
		</dependency>

		<!--核心log4j2jar包 -->
		<dependency>
			<groupId>org.apache.logging.log4j</groupId>
			<artifactId>log4j-api</artifactId>
			<version>2.9.1</version>
		</dependency>
		<dependency>
			<groupId>org.apache.logging.log4j</groupId>
			<artifactId>log4j-core</artifactId>
			<version>2.9.1</version>
		</dependency>
		
		<!--web工程需要包含log4j-web,非web工程不需要 -->
		<dependency>
			<groupId>org.apache.logging.log4j</groupId>
			<artifactId>log4j-web</artifactId>
			<version>2.9.1</version>
			<scope>runtime</scope>
		</dependency>
		<!--需要使用log4j2的AsyncLogger需要包含disruptor -->
		<dependency>
			<groupId>com.lmax</groupId>
			<artifactId>disruptor</artifactId>
			<version>3.2.0</version>
		</dependency>

log4j2.xml

<?xml version="1.0" encoding="UTF-8"?>

<!-- status : 指定log4j本身的列印日誌的級別.ALL< Trace < DEBUG < INFO < WARN < ERROR 
	< FATAL < OFF。 monitorInterval : 用於指定log4j自動重新配置的監測間隔時間,單位是s,最小是5s. -->
<Configuration status="WARN" monitorInterval="30">
	<Properties>
		<!-- 配置日誌檔案輸出目錄 ${sys:user.home} -->
		<Property name="LOG_HOME">/root/workspace/lucenedemo/logs</Property>
		<property name="ERROR_LOG_FILE_NAME">/root/workspace/lucenedemo/logs/error</property>
		<property name="WARN_LOG_FILE_NAME">/root/workspace/lucenedemo/logs/warn</property>
		<property name="PATTERN">%d{yyyy-MM-dd HH:mm:ss.SSS} [%t-%L] %-5level %logger{36} - %msg%n</property>
	</Properties>

	<Appenders>
		<!--這個輸出控制檯的配置 -->
		<Console name="Console" target="SYSTEM_OUT">
			<!-- 控制檯只輸出level及以上級別的資訊(onMatch),其他的直接拒絕(onMismatch) -->
			<ThresholdFilter level="trace" onMatch="ACCEPT"
				onMismatch="DENY" />
			<!-- 輸出日誌的格式 -->
			<!-- %d{yyyy-MM-dd HH:mm:ss, SSS} : 日誌生產時間 %p : 日誌輸出格式 %c : logger的名稱 
				%m : 日誌內容,即 logger.info("message") %n : 換行符 %C : Java類名 %L : 日誌輸出所在行數 %M 
				: 日誌輸出所在方法名 hostName : 本地機器名 hostAddress : 本地ip地址 -->
			<PatternLayout pattern="${PATTERN}" />
		</Console>

		<!--檔案會打印出所有資訊,這個log每次執行程式會自動清空,由append屬性決定,這個也挺有用的,適合臨時測試用 -->
		<!--append為TRUE表示訊息增加到指定檔案中,false表示訊息覆蓋指定的檔案內容,預設值是true -->
		<File name="log" fileName="logs/test.log" append="false">
			<PatternLayout
				pattern="%d{yyyy-MM-dd HH:mm:ss.SSS} [%t] %-5level %logger{36} - %msg%n" />
		</File>
		<!-- 這個會打印出所有的info及以下級別的資訊,每次大小超過size, 則這size大小的日誌會自動存入按年份-月份建立的資料夾下面並進行壓縮,作為存檔 -->
		<RollingFile name="RollingFileInfo" fileName="${LOG_HOME}/info.log"
			filePattern="${LOG_HOME}/$${date:yyyy-MM}/info-%d{yyyy-MM-dd}-%i.log">
			<!--控制檯只輸出level及以上級別的資訊(onMatch),其他的直接拒絕(onMismatch) -->
			<ThresholdFilter level="info" onMatch="ACCEPT"
				onMismatch="DENY" />
			<PatternLayout
				pattern="%d{yyyy-MM-dd HH:mm:ss.SSS} [%t] %-5level %logger{36} - %msg%n" />
			<Policies>
				<!-- 基於時間的滾動策略,interval屬性用來指定多久滾動一次,預設是1 hour。 modulate=true用來調整時間:比如現在是早上3am,interval是4,那麼第一次滾動是在4am,接著是8am,12am...而不是7am. -->
				<!-- 關鍵點在於 filePattern後的日期格式,以及TimeBasedTriggeringPolicy的interval, 日期格式精確到哪一位,interval也精確到哪一個單位 -->
				<!-- log4j2的按天分日誌檔案 : info-%d{yyyy-MM-dd}-%i.log -->
				<TimeBasedTriggeringPolicy interval="1"
					modulate="true" />
				<!-- SizeBasedTriggeringPolicy:Policies子節點, 基於指定檔案大小的滾動策略,size屬性用來定義每個日誌檔案的大小. -->
				<!-- <SizeBasedTriggeringPolicy size="2 kB" /> -->
			</Policies>
		</RollingFile>

		<RollingFile name="RollingFileWarn" fileName="${WARN_LOG_FILE_NAME}/warn.log"
			filePattern="${WARN_LOG_FILE_NAME}/$${date:yyyy-MM}/warn-%d{yyyy-MM-dd}-%i.log">
			<ThresholdFilter level="warn" onMatch="ACCEPT"
				onMismatch="DENY" />
			<PatternLayout
				pattern="%d{yyyy-MM-dd HH:mm:ss.SSS} [%t] %-5level %logger{36} - %msg%n" />
			<Policies>
				<TimeBasedTriggeringPolicy />
				<SizeBasedTriggeringPolicy size="2 kB" />
			</Policies>
			<!-- DefaultRolloverStrategy屬性如不設定,則預設為最多同一資料夾下7個檔案,這裡設定了20 -->
			<DefaultRolloverStrategy max="20" />
		</RollingFile>

		<RollingFile name="RollingFileError" fileName="${ERROR_LOG_FILE_NAME}/error.log"
			filePattern="${ERROR_LOG_FILE_NAME}/$${date:yyyy-MM}/error-%d{yyyy-MM-dd-HH-mm}-%i.log">
			<ThresholdFilter level="error" onMatch="ACCEPT"
				onMismatch="DENY" />
			<PatternLayout
				pattern="%d{yyyy-MM-dd HH:mm:ss.SSS} [%t] %-5level %logger{36} - %msg%n" />
			<Policies>
				<!-- log4j2的按分鐘 分日誌檔案 : warn-%d{yyyy-MM-dd-HH-mm}-%i.log -->
				<TimeBasedTriggeringPolicy interval="1"
					modulate="true" />
				<!-- <SizeBasedTriggeringPolicy size="10 MB" /> -->
			</Policies>
		</RollingFile>

	</Appenders>

	<!--然後定義logger,只有定義了logger並引入的appender,appender才會生效 -->
	<Loggers>
		<!--過濾掉spring和mybatis的一些無用的DEBUG資訊 -->
		<logger name="org.springframework" level="INFO"></logger>
		<logger name="org.mybatis" level="INFO"></logger>

		<!-- 第三方日誌系統 -->
		<logger name="org.springframework" level="ERROR" />
		<logger name="org.hibernate" level="ERROR" />
		<logger name="org.apache.struts2" level="ERROR" />
		<logger name="com.opensymphony.xwork2" level="ERROR" />
		<logger name="org.jboss" level="ERROR" />


		<!-- 配置日誌的根節點 -->
		<root level="all">
			<appender-ref ref="Console" />
			<appender-ref ref="RollingFileInfo" />
			<appender-ref ref="RollingFileWarn" />
			<appender-ref ref="RollingFileError" />
		</root>

	</Loggers>

</Configuration>

5.hibernate 整合ehcache

第一步:匯入整合的jar包 由hibernate提供的一個整合的包
pom.xml檔案
hibernate-ehcache 和 hibernate 的版本要統一避免版本衝突

<!-- hibernate整合ehcache -->
	<dependency>
       <groupId>org.hibernate</groupId>
       <artifactId>hibernate-ehcache</artifactId>
      <version>5.2.12.Final</version>
    </dependency>

第二步 :src新增ehcache.xml

第三步: hibernate.cfg.xml中新增二級快取相關配置

<!-- 開啟二級快取 -->
      <property name="hibernate.cache.use_second_level_cache">true</property>
      <!-- 開啟查詢快取 -->
      <property name="hibernate.cache.use_query_cache">true</property>
      <!-- EhCache驅動 -->
      <property name="hibernate.cache.region.factory_class">org.hibernate.cache.ehcache.EhCacheRegionFactory</property>

第四步:在實體類的配置檔案中配置快取
user.hbm.xml

<!-- 配置二級快取 -->
		<cache usage="read-write" region="com.zking.one.entity.User"/>

第五步:測試

/**
 * 查詢單個使用了快取
 * @author Admin
 *
 */
public class EhcacheTest2 {
	
	public static void main(String[] args) {
		Session session = SessionFactoryUtils.getSession();
		Transaction transaction = session.beginTransaction();
		
		User user = session.get(User.class, 4);//資料庫裡獲取
		System.out.println(user);
		
		User user2 = session.get(User.class, 4);//快取中獲得
		System.out.println(user2);
		
		transaction.commit();
		SessionFactoryUtils.closeSession();
	}
	
/**
 * hibernacle不會同時快取多條資料
 * query.setCacheable(true);//開啟二級快取 快取多條資料
 * @author Admin
 *
 */
public class EhcacheTest3 {
	
	public static void main(String[] args) {
		Session session = SessionFactoryUtils.getSession();
		Transaction transaction = session.beginTransaction();
		
		Query query = session.createQuery("from User");
		query.setCacheable(true);//開啟二級快取 快取多條資料
		List list = query.list();
		System.out.println(list.size());
		
		Query query2 = session.createQuery("from User");
		List list2 = query.list();
		System.out.println(list2.size());
		
		Query query3 = session.createQuery("from User");
		List list3 = query.list();
		System.out.println(list3.size());
		
		transaction.commit();
		SessionFactoryUtils.closeSession();
	}