對於傳統的.NET Framework項目而言,System.Runtime.Caching命名空間是經常使用的工具了,其中MemoryCache類則常被用於實現內存緩存。緩存
.NET Core 2.0暫時還不支持System.Runtime.Caching dll,這也就意味着MemoryCache相關代碼再也不起做用了。工具
using System; using System.Runtime.Caching; namespace TestWebApp.Service { public class MemoryCacheService { static ObjectCache cache = MemoryCache.Default; /// <summary> /// 獲取緩存值 /// </summary> /// <param name="key"></param> /// <returns></returns> private object GetCacheValue(string key) { if (key != null && cache.Contains(key)) { return cache[key]; } return default(object); } /// <summary> /// 添加緩存內容 /// </summary> /// <param name="key"></param> /// <param name="value"></param> public static void SetChacheValue(string key, object value) { if (key != null) { CacheItemPolicy policy = new CacheItemPolicy { SlidingExpiration = TimeSpan.FromHours(1) }; cache.Set(key, value, policy); } } } }
導入後你會發現VS會提示沒法找到System.Runtime.Caching命名空間,原有的代碼沒法直接編譯使用。spa
using Microsoft.Extensions.Caching.Memory;
初始化緩存對象方式改寫前:code
static ObjectCache cache = MemoryCache.Default;
初始化緩存對象方式改寫後:對象
static MemoryCache cache = new MemoryCache(new MemoryCacheOptions());
讀取內存緩存值方式變化:blog
private object GetCacheValue(string key) { if (key != null && cache.Contains(key)) { return cache[key]; } return default(object); }
改寫後:內存
private object GetCacheValue(string key) { object val = null; if (key != null && cache.TryGetValue(key, out val)) { return val; } else { return default(object); } }
設定內存緩存內容方式變化:string
public static void SetChacheValue(string key, object value) { if (key != null) { CacheItemPolicy policy = new CacheItemPolicy { SlidingExpiration = TimeSpan.FromHours(1) }; cache.Set(key, value, policy); } }
修改後:io
public static void SetChacheValue(string key, object value) { if (key != null) { cache.Set(key, value, new MemoryCacheEntryOptions { SlidingExpiration = TimeSpan.FromHours(1) }); } }
在使用了Microsoft.Extensions.Caching.Memory下的新API改寫了舊代碼後,你會發現原有的各類內存緩存超時策略全都是有對應新API的,包括AbsoluteExpiration, SlidingExpiration等等。編譯
因此咱們仍是能夠很輕鬆的使用.NET Core新API簡單改動下下就能重用現有絕大部分舊代碼,將其遷移過來繼續起做用。
遷移後的完整代碼以下:
using Microsoft.Extensions.Caching.Memory; using System; namespace TestMemoryCacheWebApp.Services { public class MemoryCacheService { static MemoryCache cache = new MemoryCache(new MemoryCacheOptions()); /// <summary> /// 獲取緩存值 /// </summary> /// <param name="key"></param> /// <returns></returns> private object GetCacheValue(string key) { object val = null; if (key != null && cache.TryGetValue(key, out val)) { return val; } else { return default(object); } } /// <summary> /// 添加緩存內容 /// </summary> /// <param name="key"></param> /// <param name="value"></param> public static void SetChacheValue(string key, object value) { if (key != null) { cache.Set(key, value, new MemoryCacheEntryOptions { SlidingExpiration = TimeSpan.FromHours(1) }); } } } }