我有一个网页,它会缓存一些查询字符串值30秒,以便它不会收到重复的值。我正在使用以下课程:
public class MyCache {
private static ObjectCache cache = MemoryCache.Default;
public MyCache() { }
public void Insert(string key, string value)
{
CacheItemPolicy policy = new CacheItemPolicy();
policy.Priority = CacheItemPriority.Default;
policy.SlidingExpiration = new TimeSpan(0, 0, 30);
policy.RemovedCallback = new CacheEntryRemovedCallback(this.Cacheremovedcallback);
cache.Set(key, value, policy);
}
public bool Exists(string key)
{
return cache.Contains(key);
}
public void Remove(string key)
{
cache.Remove(key);
}
private void Cacheremovedcallback(CacheEntryRemovedArguments arguments)
{
FileLog.LogToFile("Cache item removed. Reason: " + arguments.RemovedReason.ToString() + "; Item: [" + arguments.CacheItem.Key + ", " + arguments.CacheItem.Value.ToString() + "]");
}
}
这已经好几个星期了,然后突然缓存不再保留值了。将项目插入缓存后,CacheRemoved回调会立即触发,我得到删除的原因: CacheSpecificEviction 这是在带有.NET 4.0的Windows Server 2008 SP1,IIS7.5上运行的。在此期间,未对操作系统或IIS进行任何更改。
有没有办法解决这个问题,如果没有,是否有更好的缓存解决方案可以在网页中使用?
提前谢谢。
答案 0 :(得分:1)
看一下MemoryCacheStore
的源代码(应该是MemoryCache.Default
使用的默认存储),似乎只有在处理缓存时才调用带有参数CacheSpecificEviction
的remove回调。 :
https://referencesource.microsoft.com/#System.Runtime.Caching/System/Caching/MemoryCacheStore.cs,230
环顾四周,确保您的缓存对象没有被意外处置。
答案 1 :(得分:0)
我还发现,如果您对现有项目调用RemovedCallback
,则MemoryCache.Set
会执行-因为.Set
会覆盖缓存中的项目。
解决方法是使用.Add
代替.Set
即使OP提到CacheSpecificEviction
并不能回答他的问题,但以防万一有人遇到类似问题并在搜索网络后落入该问题。
答案 2 :(得分:-1)
试试这个:
policy.AbsoluteExpiration = DateTime.Now.AddSeconds(30);
这就是我如何使用缓存:
public static class CacheHelper
{
private static ObjectCache _cache;
private const Double ChacheExpirationInMinutes = 10;
/// <summary>
/// Insert value into the cache using
/// appropriate name/value pairs
/// </summary>
/// <typeparam name="T">Type of cached item</typeparam>
/// <param name="entity">item cached</param>
/// <param name="key">Name of item</param>
public static void Add<T>(T entity, string key) where T : class
{
if (_cache == null)
{
_cache = MemoryCache.Default;
}
if (_cache.Contains(key))
_cache.Remove(key);
CacheItemPolicy cacheItemPolicy = new CacheItemPolicy();
cacheItemPolicy.AbsoluteExpiration = DateTime.Now.AddMinutes(ChacheExpirationInMinutes);
_cache.Set(key, entity, cacheItemPolicy);
}
/// <summary>
/// Remove item from cache
/// </summary>
/// <param name="key">Name of cached item</param>
public static void Clear(string key)
{
if (_cache == null)
{
_cache = MemoryCache.Default;
return;
}
_cache.Remove(key);
}
/// <summary>
/// Retrieve cached item
/// </summary>
/// <typeparam name="T">Type of cached item</typeparam>
/// <param name="key">Name of cached item</param>
/// <returns>Cached item as type</returns>
public static T Get<T>(string key) where T : class
{
if (_cache == null)
{
_cache = MemoryCache.Default;
}
try
{
return (T)_cache.Get(key);
}
catch
{
return null;
}
}
}