我已经阅读了许多有关MVC应用程序中页面缓存和部分页面缓存的信息。但是,我想知道如何缓存数据。
在我的场景中,我将使用LINQ to Entities(实体框架)。在第一次调用GetNames(或任何方法)时,我想从数据库中获取数据。我想将结果保存在缓存中,并在第二次调用时使用缓存版本(如果存在)。
任何人都可以举例说明它如何工作,应该在哪里实现(模型吗?)以及是否可以工作。
我已经在传统的ASP.NET应用程序中看到了这一点,通常是针对非常静态的数据。
我已经阅读了许多有关MVC应用程序中页面缓存和部分页面缓存的信息。但是,我想知道如何缓存数据。
在我的场景中,我将使用LINQ to Entities(实体框架)。在第一次调用GetNames(或任何方法)时,我想从数据库中获取数据。我想将结果保存在缓存中,并在第二次调用时使用缓存版本(如果存在)。
任何人都可以举例说明它如何工作,应该在哪里实现(模型吗?)以及是否可以工作。
我已经在传统的ASP.NET应用程序中看到了这一点,通常是针对非常静态的数据。
Answers:
在模型中引用System.Web dll并使用System.Web.Caching.Cache
public string[] GetNames()
{
string[] names = Cache["names"] as string[];
if(names == null) //not in cache
{
names = DB.GetNames();
Cache["names"] = names;
}
return names;
}
有点简化,但我想那行得通。这不是MVC专用的,我一直使用此方法来缓存数据。
DB.GetNames().AsQueryable
延迟查询的方法一起使用吗?
这是我使用的一个很好且简单的缓存助手类/服务:
using System.Runtime.Caching;
public class InMemoryCache: ICacheService
{
public T GetOrSet<T>(string cacheKey, Func<T> getItemCallback) where T : class
{
T item = MemoryCache.Default.Get(cacheKey) as T;
if (item == null)
{
item = getItemCallback();
MemoryCache.Default.Add(cacheKey, item, DateTime.Now.AddMinutes(10));
}
return item;
}
}
interface ICacheService
{
T GetOrSet<T>(string cacheKey, Func<T> getItemCallback) where T : class;
}
cacheProvider.GetOrSet("cache key", (delegate method if cache is empty));
高速缓存提供程序将检查高速缓存中是否有“高速缓存ID”名称,如果没有,它将调用委托方法来获取数据并将其存储在高速缓存中。
var products=cacheService.GetOrSet("catalog.products", ()=>productRepository.GetAll())
我指的是TT的帖子,并建议采取以下方法:
在模型中引用System.Web dll并使用System.Web.Caching.Cache
public string[] GetNames()
{
var noms = Cache["names"];
if(noms == null)
{
noms = DB.GetNames();
Cache["names"] = noms;
}
return ((string[])noms);
}
您不应该返回从缓存中重新读取的值,因为您将永远不知道该值是否仍在缓存中。即使您之前将其插入到语句中,它也可能已经消失或从未添加到缓存中-您只是不知道。
因此,您添加了从数据库读取的数据并直接返回它,而不是从缓存中重新读取。
Cache["names"] = noms;
放在缓存中吗?
对于.NET 4.5+框架
添加参考: System.Runtime.Caching
添加using语句:
using System.Runtime.Caching;
public string[] GetNames()
{
var noms = System.Runtime.Caching.MemoryCache.Default["names"];
if(noms == null)
{
noms = DB.GetNames();
System.Runtime.Caching.MemoryCache.Default["names"] = noms;
}
return ((string[])noms);
}
在.NET Framework 3.5和更早版本中,ASP.NET在System.Web.Caching命名空间中提供了内存中的缓存实现。在.NET Framework的早期版本中,缓存仅在System.Web命名空间中可用,因此需要依赖于ASP.NET类。在.NET Framework 4中,System.Runtime.Caching命名空间包含为Web和非Web应用程序设计的API。
更多信息:
Db.GerNames()
来的?
史蒂夫·史密斯(Steve Smith)撰写了两篇很棒的博客文章,展示了如何在ASP.NET MVC中使用他的CachedRepository模式。它有效地使用了存储库模式,使您无需更改现有代码即可进行缓存。
http://ardalis.com/Introducing-the-CachedRepository-Pattern
http://ardalis.com/building-a-cachedrepository-via-strategy-pattern
在这两篇文章中,他向您展示了如何设置此模式,并解释了为什么它有用。通过使用这种模式,您可以获得缓存,而现有代码看不到任何缓存逻辑。本质上,您就像使用任何其他存储库一样使用缓存的存储库。
扩展@Hrvoje Hudo的答案...
码:
using System;
using System.Runtime.Caching;
public class InMemoryCache : ICacheService
{
public TValue Get<TValue>(string cacheKey, int durationInMinutes, Func<TValue> getItemCallback) where TValue : class
{
TValue item = MemoryCache.Default.Get(cacheKey) as TValue;
if (item == null)
{
item = getItemCallback();
MemoryCache.Default.Add(cacheKey, item, DateTime.Now.AddMinutes(durationInMinutes));
}
return item;
}
public TValue Get<TValue, TId>(string cacheKeyFormat, TId id, int durationInMinutes, Func<TId, TValue> getItemCallback) where TValue : class
{
string cacheKey = string.Format(cacheKeyFormat, id);
TValue item = MemoryCache.Default.Get(cacheKey) as TValue;
if (item == null)
{
item = getItemCallback(id);
MemoryCache.Default.Add(cacheKey, item, DateTime.Now.AddMinutes(durationInMinutes));
}
return item;
}
}
interface ICacheService
{
TValue Get<TValue>(string cacheKey, Func<TValue> getItemCallback) where TValue : class;
TValue Get<TValue, TId>(string cacheKeyFormat, TId id, Func<TId, TValue> getItemCallback) where TValue : class;
}
例子
单个项目缓存(当基于每个项目的ID缓存每个项目时,因为缓存整个项目类型的目录会太费力)。
Product product = cache.Get("product_{0}", productId, 10, productData.getProductById);
缓存所有东西
IEnumerable<Categories> categories = cache.Get("categories", 20, categoryData.getCategories);
为什么选择TI
第二个助手特别好,因为大多数数据键不是复合的。如果您经常使用复合键,则可以添加其他方法。这样,您可以避免进行各种字符串连接或string.Formats来获取将密钥传递给缓存帮助器的方法。这也使传递数据访问方法变得更加容易,因为您不必将ID传递给wrapper方法...对于大多数用例来说,整个过程变得非常简洁和一致。
这是对Hrvoje Hudo答案的改进。此实现有几个关键改进:
请注意,这依赖于Newtonsoft.Json来序列化dependsOn对象,但是可以很容易地换成其他任何序列化方法。
ICache.cs
public interface ICache
{
T GetOrSet<T>(Func<T> getItemCallback, object dependsOn, TimeSpan duration) where T : class;
}
InMemoryCache.cs
using System;
using System.Reflection;
using System.Runtime.Caching;
using Newtonsoft.Json;
public class InMemoryCache : ICache
{
private static readonly object CacheLockObject = new object();
public T GetOrSet<T>(Func<T> getItemCallback, object dependsOn, TimeSpan duration) where T : class
{
string cacheKey = GetCacheKey(getItemCallback, dependsOn);
T item = MemoryCache.Default.Get(cacheKey) as T;
if (item == null)
{
lock (CacheLockObject)
{
item = getItemCallback();
MemoryCache.Default.Add(cacheKey, item, DateTime.Now.Add(duration));
}
}
return item;
}
private string GetCacheKey<T>(Func<T> itemCallback, object dependsOn) where T: class
{
var serializedDependants = JsonConvert.SerializeObject(dependsOn);
var methodType = itemCallback.GetType();
return methodType.FullName + serializedDependants;
}
}
用法:
var order = _cache.GetOrSet(
() => _session.Set<Order>().SingleOrDefault(o => o.Id == orderId)
, new { id = orderId }
, new TimeSpan(0, 10, 0)
);
if (item == null)
应该是锁内。现在,if
在锁定之前,可能会发生竞争状况。甚至更好的是,您应该保留if
在锁之前,但作为锁内的第一行,请重新检查缓存是否仍然为空。因为如果两个线程同时出现,它们都会更新缓存。您当前的锁定没有帮助。
public sealed class CacheManager
{
private static volatile CacheManager instance;
private static object syncRoot = new Object();
private ObjectCache cache = null;
private CacheItemPolicy defaultCacheItemPolicy = null;
private CacheEntryRemovedCallback callback = null;
private bool allowCache = true;
private CacheManager()
{
cache = MemoryCache.Default;
callback = new CacheEntryRemovedCallback(this.CachedItemRemovedCallback);
defaultCacheItemPolicy = new CacheItemPolicy();
defaultCacheItemPolicy.AbsoluteExpiration = DateTime.Now.AddHours(1.0);
defaultCacheItemPolicy.RemovedCallback = callback;
allowCache = StringUtils.Str2Bool(ConfigurationManager.AppSettings["AllowCache"]); ;
}
public static CacheManager Instance
{
get
{
if (instance == null)
{
lock (syncRoot)
{
if (instance == null)
{
instance = new CacheManager();
}
}
}
return instance;
}
}
public IEnumerable GetCache(String Key)
{
if (Key == null || !allowCache)
{
return null;
}
try
{
String Key_ = Key;
if (cache.Contains(Key_))
{
return (IEnumerable)cache.Get(Key_);
}
else
{
return null;
}
}
catch (Exception)
{
return null;
}
}
public void ClearCache(string key)
{
AddCache(key, null);
}
public bool AddCache(String Key, IEnumerable data, CacheItemPolicy cacheItemPolicy = null)
{
if (!allowCache) return true;
try
{
if (Key == null)
{
return false;
}
if (cacheItemPolicy == null)
{
cacheItemPolicy = defaultCacheItemPolicy;
}
String Key_ = Key;
lock (Key_)
{
return cache.Add(Key_, data, cacheItemPolicy);
}
}
catch (Exception)
{
return false;
}
}
private void CachedItemRemovedCallback(CacheEntryRemovedArguments arguments)
{
String strLog = String.Concat("Reason: ", arguments.RemovedReason.ToString(), " | Key-Name: ", arguments.CacheItem.Key, " | Value-Object: ", arguments.CacheItem.Value.ToString());
LogManager.Instance.Info(strLog);
}
}
我以这种方式使用了它,并且对我有用。 https://msdn.microsoft.com/zh-cn/library/system.web.caching.cache.add(v=vs.110).aspx system.web.caching.cache.add的参数信息。
public string GetInfo()
{
string name = string.Empty;
if(System.Web.HttpContext.Current.Cache["KeyName"] == null)
{
name = GetNameMethod();
System.Web.HttpContext.Current.Cache.Add("KeyName", name, null, DateTime.Noew.AddMinutes(5), Cache.NoSlidingExpiration, CacheitemPriority.AboveNormal, null);
}
else
{
name = System.Web.HttpContext.Current.Cache["KeyName"] as string;
}
return name;
}
我使用两个类。第一个是缓存核心对象:
public class Cacher<TValue>
where TValue : class
{
#region Properties
private Func<TValue> _init;
public string Key { get; private set; }
public TValue Value
{
get
{
var item = HttpRuntime.Cache.Get(Key) as TValue;
if (item == null)
{
item = _init();
HttpContext.Current.Cache.Insert(Key, item);
}
return item;
}
}
#endregion
#region Constructor
public Cacher(string key, Func<TValue> init)
{
Key = key;
_init = init;
}
#endregion
#region Methods
public void Refresh()
{
HttpRuntime.Cache.Remove(Key);
}
#endregion
}
第二个是缓存对象列表:
public static class Caches
{
static Caches()
{
Languages = new Cacher<IEnumerable<Language>>("Languages", () =>
{
using (var context = new WordsContext())
{
return context.Languages.ToList();
}
});
}
public static Cacher<IEnumerable<Language>> Languages { get; private set; }
}
我会说,在此持久数据问题上实施Singleton可能是解决此问题的方法,以防您发现以前的解决方案非常复杂
public class GPDataDictionary
{
private Dictionary<string, object> configDictionary = new Dictionary<string, object>();
/// <summary>
/// Configuration values dictionary
/// </summary>
public Dictionary<string, object> ConfigDictionary
{
get { return configDictionary; }
}
private static GPDataDictionary instance;
public static GPDataDictionary Instance
{
get
{
if (instance == null)
{
instance = new GPDataDictionary();
}
return instance;
}
}
// private constructor
private GPDataDictionary() { }
} // singleton
HttpContext.Current.Cache.Insert("subjectlist", subjectlist);
您也可以尝试使用ASP MVC内置的缓存:
将以下属性添加到要缓存的控制器方法中:
[OutputCache(Duration=10)]
在这种情况下,其ActionResult将被缓存10秒。
在这里更多