如何在MVC应用程序中缓存数据


252

我已经阅读了许多有关MVC应用程序中页面缓存和部分页面缓存的信息。但是,我想知道如何缓存数据。

在我的场景中,我将使用LINQ to Entities(实体框架)。在第一次调用GetNames(或任何方法)时,我想从数据库中获取数据。我想将结果保存在缓存中,并在第二次调用时使用缓存版本(如果存在)。

任何人都可以举例说明它如何工作,应该在哪里实现(模型吗?)以及是否可以工作。

我已经在传统的ASP.NET应用程序中看到了这一点,通常是针对非常静态的数据。


1
在查看下面的答案时,请务必考虑是否要让您的控制器了解/负责数据访问和缓存问题。通常,您要将此分开。参见“存储库模式”以获得一个好的方法:deviq.com/repository-pattern
ssmith

Answers:


75

在模型中引用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专用的,我一直使用此方法来缓存数据。


89
我不推荐这种解决方案:作为回报,您可能会再次得到一个空对象,因为它正在缓存中重新读取并且它可能已经从缓存中删除了。我宁愿这样做:public string [] GetNames(){string [] noms = Cache [“ names”]; if(noms == null){名词= DB.GetNames(); Cache [“ names”] =规范;} return(noms); }
Oli

我同意Oli ..从实际调用数据库中获取结果要比从缓存中获取结果更好
CodeClimber

1
这可以与DB.GetNames().AsQueryable延迟查询的方法一起使用吗?
Chase Florell

除非您将返回值从string []更改为IEnumerable <string>
否则不会这样做

12
如果您未设置过期时间。.默认情况下,缓存何时过期?
Chaka 2013年

403

这是我使用的一个很好且简单的缓存助手类/服务:

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())

3
我已经对此进行了调整,以便通过使用HttpContext.Current.Session代替每个用户会话使用缓存机制。我还在BaseController类上放置了一个Cache属性,以便可以轻松访问并更新了构造函数,从而可以使用DI进行单元测试。希望这可以帮助。
2010年

1
您也可以将此类和方法设为静态,以实现其他控制器之间的可重用性。
亚历克斯(Alex)

5
此类不应该依赖于HttpContext。我在这里只是出于示例目的对其进行了简化。缓存对象必须通过构造函数插入,然后可以用其他缓存机制替换它。所有这些都是通过IoC / DI以及静态(单个)生命周期实现的。
Hrvoje Hudo

3
@Brendan-而且更糟糕的是,它具有用于缓存键的魔术字符串,而不是从方法名称和参数推断出它们。
ssmith 2011年

5
这是一个很棒的低级解决方案。就像其他人提到的那样,您希望将其包装在类型安全的,特定于域的类中。由于存在魔力,直接在您的控制器中访问它将是维护的噩梦。
2013年

43

我指的是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;放在缓存中吗?
奥马尔(Omar)2010年

2
@Baddie是的。但是此示例与第一个Oli所引用的示例不同,因为他不再访问缓存-问题是只在做:return(string [])Cache [“ names”]; ..可能导致返回空值,因为它可能已过期。不太可能,但是有可能发生。这个示例更好,因为我们将从db返回的实际值存储在内存中,缓存该值,然后返回该值,而不是从缓存中重新读取的值。
jamiebarrow

或者...如果仍然存在,则从高速缓存重新读取该值(!= null)。因此,整个缓存点。这只是说它会仔细检查空值,并在必要时读取数据库。非常聪明,谢谢奥利!
肖恩·肯德尔2015年

您能否分享一些链接,以便我阅读有关基于键值的应用程序缓存的信息。我找不到链接。
牢不可破

@Oli,如何从CSHTML或HTML页面使用此缓存记录
Deepan Raj

37

对于.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()来的?
青少年

DB.GetNames只是DAL中的一种方法,可以从数据库中获取一些名称。这就是您通常会检索到的内容。
juFo

这应该放在顶部,因为它具有当前的相关解决方案
BYISHIMO Audace

2
谢谢,还需要添加System.Runtime.Caching nuget包(v4.5)。
史蒂夫·格林

26

史蒂夫·史密斯(Steve Smith)撰写了两篇很棒的博客文章,展示了如何在ASP.NET MVC中使用他的CachedRepository模式。它有效地使用了存储库模式,使您无需更改现有代码即可进行缓存。

http://ardalis.com/Introducing-the-CachedRepository-Pattern

http://ardalis.com/building-a-cachedrepository-via-strategy-pattern

在这两篇文章中,他向您展示了如何设置此模式,并解释了为什么它有用。通过使用这种模式,您可以获得缓存,而现有代码看不到任何缓存逻辑。本质上,您就像使用任何其他存储库一样使用缓存的存储库。


1
很棒的帖子!感谢分享!!
标记好

链接于2013-08-31失效。
CBono


您能否分享一些链接,以便我阅读有关基于键值的应用程序缓存的信息。我找不到链接。
牢不可破

4

AppFabric缓存是分布式的,并且是一种内存中缓存技术,该技术使用跨多个服务器的物理内存将数据存储在键值对中。AppFabric为.NET Framework应用程序提供了性能和可伸缩性方面的改进。概念与架构


这特定于Azure,而不是一般的ASP.NET MVC。
亨利C

3

扩展@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方法...对于大多数用例来说,整个过程变得非常简洁和一致。


1
您的界面定义缺少“ durationInMinutes”参数。;-)
Tech0

3

这是对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)
);

2
if (item == null)应该是锁内。现在,if在锁定之前,可能会发生竞争状况。甚至更好的是,您应该保留if在锁之前,但作为锁内的第一行,请重新检查缓存是否仍然为空。因为如果两个线程同时出现,它们都会更新缓存。您当前的锁定没有帮助。
Al Kepp '18年

3
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);
    }
}

3
考虑添加一些解释
Mike Debela

2

我以这种方式使用了它,并且对我有用。 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;

}

对于具有完整名称空间的完全合格内容的额外投票!!
Ninjanoel

1

我使用两个类。第一个是缓存核心对象:

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; }
}

0

我会说,在此持久数据问题上实施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

这对我非常
有用


-8

您也可以尝试使用ASP MVC内置的缓存:

将以下属性添加到要缓存的控制器方法中:

[OutputCache(Duration=10)]

在这种情况下,其ActionResult将被缓存10秒。

这里更多


4
OutputCache用于呈现Action,问题与缓存数据而不是页面有关。
Coolcoder

它不在主题之列,但是OutputCache还会缓存数据库数据
Muflix '18
By using our site, you acknowledge that you have read and understand our Cookie Policy and Privacy Policy.
Licensed under cc by-sa 3.0 with attribution required.