NET 4.0中新增了一個System.Runtime.Caching的名字空間,它提供了一系列可擴展的Cache框架,本文就簡單的介紹一下如何使用它給程序添加Cache。框架
一個Cache框架主要包括三個部分:ObjectCache、CacheItemPolicy、ChangeMonitor。ui
以下是一個簡單的示例:spa
class MyCachePool
{
ObjectCache cache = MemoryCache.Default;
const string CacheKey = "TestCacheKey";
public string GetValue()
{
var content = cache[CacheKey] as string;
if(content == null)
{
Console.WriteLine("Get New Item");
var policy = new CacheItemPolicy() { AbsoluteExpiration = DateTime.Now.AddSeconds(3) };
content = Guid.NewGuid().ToString();
cache.Set(CacheKey, content, policy);
}
else
{
Console.WriteLine("Get cached item");
}
return content;
}
public static void Test()
{
var cachePool = new MyCachePool();
while (true)
{
Thread.Sleep(1000);
var value = cachePool.GetValue();
Console.WriteLine(value);
Console.WriteLine();日誌
}
}
}對象
這個例子建立了一個保存3秒鐘Cache:三秒鐘內獲取到的是同一個值,超過3秒鐘後,數據過時,更新Cache,獲取到新的值。接口
過時策略:string
從前面的例子中咱們能夠看到,將一個Cache對象加入CachePool中的時候,同時加入了一個CacheItemPolicy對象,它實現着對Cache對象超期的控制。例如前面的例子中,咱們設置超時策略的方式是:AbsoluteExpiration = DateTime.Now.AddSeconds(3)。它表示的是一個絕對時間過時,當超過3秒鐘後,Cache內容就會過時。it
除此以外,咱們還有一種比較常見的超期策略:按訪問頻度決定超期。例如,若是咱們設置以下超期策略:SlidingExpiration = TimeSpan.FromSeconds(3)。它表示當對象3秒鐘內沒有獲得訪問時,就會過時。相對的,若是對象一直被訪問,則不會過時。這兩個策略並不能同時使用。io
CacheItemPolicy也能夠制定UpdateCallback和RemovedCallback,方便咱們記日誌或執行一些處理操做,很是方便。class
ChangeMonitor
雖然前面列舉的過時策略是很是經常使用的策略,能知足咱們大多數時候的需求。可是有的時候,過時策略並不能簡單的按照時間來判斷。例如,我Cache的內容是從一個文本文件中讀取的,此時過時的條件則是文件內容是否發生變化:當文件沒有發生變動時,直接返回Cache內容,當問及發生變動時,Cache內容超期,須要從新讀取文件。這個時候就須要用到ChangeMonitor來實現更爲高級的超期判斷了。
因爲系統已經提供了文件變化的ChangeMonitor——HostFileChangeMonitor,這裏就不用本身實現了,直接使用便可。
public string GetValue()
{
var content = cache[CacheKey] as string;
if(content == null)
{
Console.WriteLine("Get New Item");
var file = @"r:\test.txt";
CacheItemPolicy policy = new CacheItemPolicy();
policy.ChangeMonitors.Add(new HostFileChangeMonitor(new List<string> { file }));
content = File.ReadAllText(file);
cache.Set(CacheKey, content, policy);
}
else
{
Console.WriteLine("Get cached item");
}
return content;
}
這個例子仍是比較簡單的,對於那些沒有自定義的策略,則須要咱們實現本身的ChangeMonitor,如今一時也想不到合適的例子,下次有時間在寫篇文章更深刻的介紹一下吧。