nopCommerce 数据缓存

为了提高一个系统或网站的性能和IO吞吐量,我们一般都会采用缓存技术。当然NopCommerce也不例外,本文我们就来给大家分析一下nop中Cache缓存相关类设计、核心源码及实现原理。

一、Nop.Core.Caching.ICacheManager

Nop首先抽象出了一个缓存存储和读取相关管理接口Nop.Core.Caching.ICacheManager。

  1. namespace Nop.Core.Caching
    {
    /// <summary>
    /// Cache manager interface
    /// </summary>
    public interface ICacheManager
    {
    /// <summary>
    /// Gets or sets the value associated with the specified key.
    /// </summary>
    /// <typeparam name="T">Type</typeparam>
    /// <param name="key">The key of the value to get.</param>
    /// <returns>The value associated with the specified key.</returns>
    T Get<T>(string key);
    /// <summary>
    /// Adds the specified key and object to the cache.
    /// </summary>
    /// <param name="key">key</param>
    /// <param name="data">Data</param>
    /// <param name="cacheTime">Cache time</param>
    void Set(string key, object data, int cacheTime);
    /// <summary>
    /// Gets a value indicating whether the value associated with the specified key is cached
    /// </summary>
    /// <param name="key">key</param>
    /// <returns>Result</returns>
    bool IsSet(string key);
    /// <summary>
    /// Removes the value with the specified key from the cache
    /// </summary>
    /// <param name="key">/key</param>
    void Remove(string key);
    /// <summary>
    /// Removes items by pattern
    /// </summary>
    /// <param name="pattern">pattern</param>
    void RemoveByPattern(string pattern);
    /// <summary>
    /// Clear all cache data
    /// </summary>
    void Clear();
    }
    }
    二、Nop.Core.Caching.MemoryCacheManager
    
    接口ICacheManager具体实现是在类Nop.Core.Caching.MemoryCacheManager:
    
    using System;
    using System.Collections.Generic;
    using System.Runtime.Caching;
    using System.Text.RegularExpressions;
    namespace Nop.Core.Caching
    {
    /// <summary>
    /// Represents a manager for caching between HTTP requests (long term caching)
    /// </summary>
    public partial class MemoryCacheManager : ICacheManager
    {
    protected ObjectCache Cache
    {
    get
    {
    return MemoryCache.Default;
    }
    }
    /// <summary>
    /// Gets or sets the value associated with the specified key.
    /// </summary>
    /// <typeparam name="T">Type</typeparam>
    /// <param name="key">The key of the value to get.</param>
    /// <returns>The value associated with the specified key.</returns>
    public virtual T Get<T>(string key)
    {
    return (T)Cache[key];
    }
    /// <summary>
    /// Adds the specified key and object to the cache.
    /// </summary>
    /// <param name="key">key</param>
    /// <param name="data">Data</param>
    /// <param name="cacheTime">Cache time</param>
    public virtual void Set(string key, object data, int cacheTime)
    {
    if (data == null)
    return;
    var policy = new CacheItemPolicy();
    policy.AbsoluteExpiration = DateTime.Now + TimeSpan.FromMinutes(cacheTime);
    Cache.Add(new CacheItem(key, data), policy);
    }
    /// <summary>
    /// Gets a value indicating whether the value associated with the specified key is cached
    /// </summary>
    /// <param name="key">key</param>
    /// <returns>Result</returns>
    public virtual bool IsSet(string key)
    {
    return (Cache.Contains(key));
    }
    /// <summary>
    /// Removes the value with the specified key from the cache
    /// </summary>
    /// <param name="key">/key</param>
    public virtual void Remove(string key)
    {
    Cache.Remove(key);
    }
    /// <summary>
    /// Removes items by pattern
    /// </summary>
    /// <param name="pattern">pattern</param>
    public virtual void RemoveByPattern(string pattern)
    {
    var regex = new Regex(pattern, RegexOptions.Singleline | RegexOptions.Compiled | RegexOptions.IgnoreCase);
    var keysToRemove = new List<String>();
    foreach (var item in Cache)
    if (regex.IsMatch(item.Key))
    keysToRemove.Add(item.Key);
    foreach (string key in keysToRemove)
    {
    Remove(key);
    }
    }
    /// <summary>
    /// Clear all cache data
    /// </summary>
    public virtual void Clear()
    {
    foreach (var item in Cache)
    Remove(item.Key);
    }
    }
    }

可以看到上面Nop的缓存数据是使用的的MemoryCache.Default来存储的,MemoryCache.Default是获取对默认 System.Runtime.Caching.MemoryCache 实例的引用,缓存的默认实例,也就是程序运行的内存中。

Nop除了提供了一个MemoryCacheManager,还有一个Nop.Core.Caching.PerRequestCacheManager类,它提供的是MemoryCacheManager相同的功能,不过它是把数据存在HttpContextBase.Items中,如下:

  1. using System;
    using System.Collections;
    using System.Collections.Generic;
    using System.Text.RegularExpressions;
    using System.Web;
    namespace Nop.Core.Caching
    {
    /// <summary>
    /// Represents a manager for caching during an HTTP request (short term caching)
    /// </summary>
    public partial class PerRequestCacheManager : ICacheManager
    {
    private readonly HttpContextBase _context;
    /// <summary>
    /// Ctor
    /// </summary>
    /// <param name="context">Context</param>
    public PerRequestCacheManager(HttpContextBase context)
    {
    this._context = context;
    }
    /// <summary>
    /// Creates a new instance of the NopRequestCache class
    /// </summary>
    protected virtual IDictionary GetItems()
    {
    if (_context != null)
    return _context.Items;
    return null;
    }
    //省略其它代码....
    }
    }

三、缓存接口ICacheManager依赖注入

缓存接口ICacheManager使用了依赖注入,我们在Nop.Web.Framework.DependencyRegistrar类中就能找到对ICacheManager的注册代码:

  1. //cache manager
    builder.RegisterType<MemoryCacheManager>().As<ICacheManager>().Named<ICacheManager>("nop_cache_static").SingleInstance();
    builder.RegisterType<PerRequestCacheManager>().As<ICacheManager>().Named<ICacheManager>("nop_cache_per_request").InstancePerLifetimeScope();
    //pass MemoryCacheManager as cacheManager (cache settings between requests)
    builder.RegisterType<ProductTagService>().As<IProductTagService>()
    .WithParameter(ResolvedParameter.ForNamed<ICacheManager>("nop_cache_static"))
    .InstancePerLifetimeScope();
    //pass MemoryCacheManager as cacheManager (cache settings between requests)
    builder.RegisterType<PermissionService>().As<IPermissionService>()
    .WithParameter(ResolvedParameter.ForNamed<ICacheManager>("nop_cache_static"))
    .InstancePerLifetimeScope();
    //pass MemoryCacheManager as cacheManager (cache settings between requests)
    builder.RegisterType<AclService>().As<IAclService>()
    .WithParameter(ResolvedParameter.ForNamed<ICacheManager>("nop_cache_static"))
    .InstancePerLifetimeScope();
    //pass MemoryCacheManager as cacheManager (cache settings between requests)
    builder.RegisterType<PriceCalculationService>().As<IPriceCalculationService>()
    .WithParameter(ResolvedParameter.ForNamed<ICacheManager>("nop_cache_static"))
    .InstancePerLifetimeScope();
    //pass MemoryCacheManager as cacheManager (cache settings between requests)
    builder.RegisterType<CustomerActivityService>().As<ICustomerActivityService>()
    .WithParameter(ResolvedParameter.ForNamed<ICacheManager>("nop_cache_static"))
    .InstancePerLifetimeScope();

上面最开始对接口ICacheManager两实现分别是MemoryCacheManager和PerRequestCacheManager并通过.Named来区分。Autofac高级特性--注册Named命名和Key Service服务

接下来可以配置不同的Service依赖不同的ICacheManager的实现:.WithParameter(ResolvedParameter.ForNamed<ICacheManager>("nop_cache_static"))或者.WithParameter(ResolvedParameter.ForNamed<ICacheManager>("nop_cache_per_request"))。

四、具体实例BlogController

下面我们来举例看一下怎么使用这个缓存的。我们就以Nop.Web.Controllers.BlogController的方法BlogTags为例:

  1. [ChildActionOnly]
    public ActionResult BlogTags()
    {
    if (!_blogSettings.Enabled)
    return Content("");
    var cacheKey = string.Format(ModelCacheEventConsumer.BLOG_TAGS_MODEL_KEY, _workContext.WorkingLanguage.Id, _storeContext.CurrentStore.Id);
    var cachedModel = _cacheManager.Get(cacheKey, () =>
    {
    var model = new BlogPostTagListModel();
    //get tags
    var tags = _blogService.GetAllBlogPostTags(_storeContext.CurrentStore.Id, _workContext.WorkingLanguage.Id)
    .OrderByDescending(x => x.BlogPostCount)
    .Take(_blogSettings.NumberOfTags)
    .ToList();
    //sorting
    tags = tags.OrderBy(x => x.Name).ToList();
    foreach (var tag in tags)
    model.Tags.Add(new BlogPostTagModel()
    {
    Name = tag.Name,
    BlogPostCount = tag.BlogPostCount
    });
    return model;
    });
    return PartialView(cachedModel);
    }

上面var cachedModel = _cacheManager.Get就是从缓存中读取数据,_cacheManager的Get方法第二个参数是一个lambda表达式,可以传一个方法,这时我们就可以把数据的从数据库中的逻辑放在里面,注意:当第二次请求数据时,如果缓存中有数据,这个Lambda方法是不会执行的。为什么呢?我们可以选中_cacheManager的Get方法按F12进去看这个方法的实现就知道了:

  1. using System;
    namespace Nop.Core.Caching
    {
    /// <summary>
    /// Extensions
    /// </summary>
    public static class CacheExtensions
    {
    /// <summary>
    /// Get a cached item. If it‘s not in the cache yet, then load and cache it
    /// </summary>
    /// <typeparam name="T">Type</typeparam>
    /// <param name="cacheManager">Cache manager</param>
    /// <param name="key">Cache key</param>
    /// <param name="acquire">Function to load item if it‘s not in the cache yet</param>
    /// <returns>Cached item</returns>
    public static T Get<T>(this ICacheManager cacheManager, string key, Func<T> acquire)
    {
    return Get(cacheManager, key, 60, acquire);
    }
    /// <summary>
    /// Get a cached item. If it‘s not in the cache yet, then load and cache it
    /// </summary>
    /// <typeparam name="T">Type</typeparam>
    /// <param name="cacheManager">Cache manager</param>
    /// <param name="key">Cache key</param>
    /// <param name="cacheTime">Cache time in minutes (0 - do not cache)</param>
    /// <param name="acquire">Function to load item if it‘s not in the cache yet</param>
    /// <returns>Cached item</returns>
    public static T Get<T>(this ICacheManager cacheManager, string key, int cacheTime, Func<T> acquire)
    {
    if (cacheManager.IsSet(key))
    {
    return cacheManager.Get<T>(key);
    }
    else
    {
    var result = acquire();
    if (cacheTime > 0)
    cacheManager.Set(key, result, cacheTime);
    return result;
    }
    }
    }
    }

可以看到其实上面_cacheManager.Get调用的是类型ICacheManager的一个扩展方法。第二个方法就可以知道,当缓存中有数据直接返回cacheManager.Get<T>(key),如果没有才进入else分支,执行参数的Lambda表达方式acquire()。

博客园的这篇文章写的不错:http://www.cnblogs.com/gusixing/archive/2012/04/12/2443799.html

时间: 2024-10-21 04:58:21

nopCommerce 数据缓存的相关文章

jQuery源代码学习之六——jQuery数据缓存Data

一.jQuery数据缓存基本原理 jQuery数据缓存就两个全局Data对象,data_user以及data_priv; 这两个对象分别用于缓存用户自定义数据和内部数据: 以data_user为例,所有用户自定义数据都被保存在这个对象的cache属性下,cache在此姑且称之为自定义数据缓存: 自定义数据缓存和DOM元素/javascript对象通过id建立关联,id的查找通过DOM元素/javascript元素下挂载的expando属性获得 话不多说,直接上代码.相关思路在代码注释中都有讲解

在网站中数据缓存的重要性

通过计算斐波那契数列明白缓存在网站开发中的重要性 1 .首先测试一下没有使用数据缓存来计算斐波那契数列. var count = 0; function fib(n) { count++; if(n === 0 || n === 1) { return 1; } return fib(n - 1) + fib(n - 2); } fib(40); console.log(count);//count是函数fib运算次数,当fib(40)时候运行次数高达:331160281次,感兴趣的可以检测一下

微信小程序开发之数据存储 参数传递 数据缓存

微信小程序开发内测一个月.数据传递的方式很少.经常遇到页面销毁后回传参数的问题,小程序中并没有类似Android的startActivityForResult的方法,也没有类似广播这样的通讯方式,更没有类似eventbus的轮子可用. 现在已知传递参数的方法只找到三种,先总结下.由于正处于内测阶段,文档也不是很稳定,经常修改,目前尚没有人造轮子. 先上GIF: 1.APP.js 我把常用且不会更改的参数放在APP.js的data里面了.在各个page中都可以拿到var app = getApp(

Spring整合Redis做数据缓存(Windows环境)

当我们一个项目的数据量很大的时候,就需要做一些缓存机制来减轻数据库的压力,提升应用程序的性能,对于java项目来说,最常用的缓存组件有Redis.Ehcache和Memcached. Ehcache是用java开发的缓存组件,和java结合良好,直接在jvm虚拟机中运行,不需要额外安装什么东西,效率也很高:但是由于和java结合的太紧密了,导致缓存共享麻烦,分布式集群应用不方便,所以比较适合单个部署的应用. Redis需要额外单独安装,是通过socket访问到缓存服务,效率比Ehcache低,但

jQuery.data的是jQuery的数据缓存系统

jQuery.Data源码 jQuery.data的是jQuery的数据缓存系统.它的主要作用就是为普通对象或者DOM元素添加数据. 1 内部存储原理 这个原理很简单,原本要添加在DOM元素本身的数据,现在被集中的存储在cache集合中.它们之间靠一个从1开始的数字键来联系着.这样DOM元素就不会像以前那么笨重了,更不会出现以前那种循环引用而引起的内存泄漏.现在DOM只需要保存好这个数字键值即可.这个属性值被保存在DOM元素的一个属性里,该属性名是由jQuery.expando生成的. 2 Da

基于IBM Bluemix的数据缓存应用实例

林炳文Evankaka原创作品.转载请注明出处http://blog.csdn.net/evankaka 摘要:IBM® Data Cache for Bluemix 是高速缓存服务,支持 Web 和移动应用程序的分布式高速缓存场景.高速缓存服务使用数据网格 技术,您可以在其中存储键值对象.Data Cache 提供了一个业务就绪的内存数据网格 (IMDG),其将数据放在接近逻辑的位置并随着业务扩展仍将其保留在此.很容易使用并扩展现有应用程序的性能和可伸缩性.它可以帮助将冗余事务降到最低.提高响

YII 数据缓存

[数据缓存] 具体就是可以缓存变量信息 变量 缓存的使用 设置: Yii::app()->cache->set(名字,值,过期时间); 使用:Yii::app()->cache->get(名字); 删除:Yii::app()->cache->delete(名字); 清空:Yii::app()->cache->flush(); 简单示例: function actionHuan1(){ //设置变量缓存 Yii::app()->cache->set

Android应用开发:Fragment与大型数据缓存

引言 在Android应用开发:Fragment的非中断保存setRetaineInstance一文中已经介绍过了如何让Fragment不随着Activity销毁从而保存数据的方法.在移动应用程序的架构设计中,界面与数据即不可分割又不可混淆.在绝大部分的开发经历中,我们都是使用Fragment来进行界面编程,即使保存数据基本上也只是界面相关控件的数据,很少做其他的数据保存,毕竟这样与开发原则相背,而今天这一篇博客就要来介绍一下Fragment的另类用法,只是用来保存数据而没有任何界面元素. 实现

Yii的缓存机制之数据缓存

具体说法就是可以缓存变量信息. 设置:Yii::app()->cache->set(名字, 值, 过期时间): 使用:Yii::app()->cache->get(名字); 删除:Yii::app()->cache->delete(名字); 清空:Yii:app()->cache->flush(); 缓存数据的应用: 用来缓存数据:可以在数据模型里自定义一个方法,来获取自己想要的数据然后进行缓存 例如获取商品的详细信息时,在Goods模型了里自定义一个获取商