在任何框架中,缓存都是不可或缺的一部分,本框架亦然。在这个框架中,我们的缓存分为两部分:内存缓存和单次请求缓存。简单说来,就是一个使用微软提供的MemoryCache做扩展,并提供全局唯一实例;另一个使用微软提供的HttpContextBase做扩展,用户每发送一次请求,HttpContextBase都会被关联创建。先来看下接口约束:

   1:  using System;
   2:  using System.Collections.Generic;
   3:  using System.Linq;
   4:  using System.Text;
   5:   
   6:  namespace TinyFrame.Framework.Caching
   7:  {
   8:      public interface ICacheManager
   9:      {
  10:          //根据key获取缓存对象
  11:          T Get<T>(string key);
  12:   
  13:          //设置缓存对象
  14:          void Set(string key, object data, int cacheTime);
  15:   
  16:          //查询key是否被缓存
  17:          bool IsSet(string key);
  18:   
  19:          //从缓存移除
  20:          void Remove(string key);
  21:   
  22:          //缓存移除匹配
  23:          void RemoveByPattern(string pattern);
  24:   
  25:          //清空所有缓存
  26:          void Clear();
  27:      }
  28:  }

方法不多,但是包含了缓存的增删查。其中Get泛型方法可以通过Key返回缓存对象;Set方法可以添加缓存;IsSet方法可以检测缓存是否存在;Remove方法可以清除已有的单个缓存;RemoveByPattern可以通过正则匹配清除缓存;Clear方法则清除全部缓存。

首先是MemoryCacheManager的实现:

   1:  using System;
   2:  using System.Collections.Generic;
   3:  using System.Linq;
   4:  using System.Text;
   5:  using System.Runtime.Caching;
   6:  using System.Text.RegularExpressions;
   7:   
   8:  namespace TinyFrame.Framework.Caching
   9:  {
  10:      public class MemoryCacheManager:ICacheManager
  11:      {
  12:          protected ObjectCache Cache
  13:          {
  14:              get { return MemoryCache.Default; }
  15:          }
  16:   
  17:          public T Get<T>(string key)
  18:          {
  19:              return (T)Cache[key];
  20:          }
  21:   
  22:          public void Set(string key, object data, int cacheTime)
  23:          {
  24:              if (data == null)
  25:                  return;
  26:              var policy = new CacheItemPolicy();
  27:              policy.AbsoluteExpiration = DateTime.Now + TimeSpan.FromMinutes(cacheTime);
  28:              Cache.Add(new CacheItem(key,data),policy);
  29:   
  30:          }
  31:   
  32:          public bool IsSet(string key)
  33:          {
  34:              return Cache.Contains(key);
  35:          }
  36:   
  37:          public void Remove(string key)
  38:          {
  39:              Cache.Remove(key);
  40:          }
  41:   
  42:          public void RemoveByPattern(string pattern)
  43:          {
  44:              var regex = new Regex(pattern, RegexOptions.Singleline
  45:                                              | RegexOptions.Compiled
  46:                                              | RegexOptions.IgnoreCase);
  47:              var keysToRemove = new List<string>();
  48:              foreach (var item in Cache)
  49:                  if (regex.IsMatch(item.Key))
  50:                      keysToRemove.Add(item.Key);
  51:   
  52:              foreach (string key in keysToRemove)
  53:              {
  54:                  Remove(key);
  55:              }
  56:          }
  57:   
  58:          public void Clear()
  59:          {
  60:              foreach (var item in Cache)
  61:              {
  62:                  Remove(item.Key);
  63:              }
  64:          }
  65:      }
  66:  }

然后是PerRequestCacheManager的实现:

   1:  using System;
   2:  using System.Collections.Generic;
   3:  using System.Linq;
   4:  using System.Text;
   5:  using System.Web;
   6:  using System.Collections;
   7:  using System.Text.RegularExpressions;
   8:   
   9:  namespace TinyFrame.Framework.Caching
  10:  {
  11:      public class PerRequestCacheManager : ICacheManager
  12:      {
  13:          public PerRequestCacheManager(HttpContextBase context)
  14:          {
  15:              this.context = context;
  16:          }
  17:   
  18:          private readonly HttpContextBase context;
  19:   
  20:          protected virtual IDictionary GetItems()
  21:          {
  22:              if (context != null)
  23:                  return context.Items;
  24:   
  25:              return null;
  26:          }
  27:   
  28:          public T Get<T>(string key)
  29:          {
  30:              var items = GetItems();
  31:              if (items == null)
  32:                  return default(T);
  33:   
  34:              return (T)items[key];
  35:          }
  36:   
  37:          public void Set(string key, object data, int cacheTime)
  38:          {
  39:              var items = GetItems();
  40:              if (items == null)
  41:                  return;
  42:   
  43:              if (data != null)
  44:              {
  45:                  if (items.Contains(key))
  46:                      items[key] = data;
  47:                  else
  48:                      items.Add(key, data);
  49:              }
  50:          }
  51:   
  52:          public bool IsSet(string key)
  53:          {
  54:              var items = GetItems();
  55:              if (items == null)
  56:                  return false;
  57:   
  58:              return items[key] != null;
  59:          }
  60:   
  61:          public void Remove(string key)
  62:          {
  63:              var items = GetItems();
  64:              if (items == null)
  65:                  return;
  66:   
  67:              items.Remove(key);
  68:          }
  69:   
  70:          public void RemoveByPattern(string pattern)
  71:          {
  72:              var items = GetItems();
  73:              if (items == null)
  74:                  return;
  75:   
  76:              var enumerator = items.GetEnumerator();
  77:              var regex = new Regex(pattern, RegexOptions.Singleline
  78:                                            | RegexOptions.Compiled
  79:                                            | RegexOptions.IgnoreCase);
  80:              var keysToRemove = new List<string>();
  81:              while (enumerator.MoveNext())
  82:              {
  83:                  if (regex.IsMatch(enumerator.Key.ToString()))
  84:                  {
  85:                      keysToRemove.Add(enumerator.Key.ToString());
  86:                  }
  87:              }
  88:   
  89:              foreach (string key in keysToRemove)
  90:              {
  91:                  items.Remove(key);
  92:              }
  93:          }
  94:   
  95:          public void Clear()
  96:          {
  97:              var items = GetItems();
  98:              if (items == null)
  99:                  return;
 100:   
 101:              var enumerator = items.GetEnumerator();
 102:              var keysToRemove = new List<string>();
 103:              while (enumerator.MoveNext())
 104:              {
 105:                  keysToRemove.Add(enumerator.Key.ToString());
 106:              }
 107:   
 108:              foreach (string key in keysToRemove)
 109:              {
 110:                  items.Remove(key);
 111:              }
 112:          }
 113:      }
 114:  }

二者的实现方式差不多。这里我就不做过多的解释了。

如果想使用的话,直接在Autofac容器中注册一下就行了。在这次演示中,我们使用MemoryCacheManager来做缓存容器。

这里我以一个分页为例:

   1:  string BookPaggerKey = "Books-{0}-{1}-{2}-{3}";
   2:          //分页查询
   3:          public IList<Book> GetBooksPagger(int pageCount
   4:                                          , int currentIndex
   5:                                          , out int totalCount
   6:                                          , string propertyName=""
   7:                                          , string propertyValue=""
   8:                                          )
   9:          {
  10:              IQueryable<Book> bookList = null;
  11:              int skipRows = 0;
  12:              if (currentIndex > 0) skipRows = currentIndex * pageCount;
  13:   
  14:              if (!string.IsNullOrEmpty(propertyName))
  15:                  bookList = GetBooksByConstruct(propertyName, propertyValue);
  16:              else
  17:                  bookList = bookRepository.GetMany(m => m.ID >= 0);
  18:              totalCount = bookList.Count();
  19:              
  20:              //return bookList.OrderBy(p => p.ID).Skip(skipRows).Take(pageCount).ToList();
  21:              string key = string.Format(BookPaggerKey, pageCount, currentIndex, propertyName, propertyValue);
  22:   
  23:              return cacheManager.Get(key, () => bookList.OrderBy(p => p.ID).Skip(skipRows).Take(pageCount).ToList());
  24:          }

第1行:定义了一个Cache的Key,用于标识保存ID

第23行:利用get方法检查缓存容器,如果缓存中数据不存在,则将查询数据添加到缓存;否则直接从缓存中拿出数据来。

我们来看看效果:

首先打开页面,我们换换页,目的是让页面被缓存住:

然后我们打开SQL的SQL Server Profile来进行追踪,现在,我们点击页面的刷新按钮,看看测试效果 :

当我们连续刷新页面好几次,但是并未见到有新的分页查询被追踪到,说明我们的数据被缓存住了。

最后我们加个断点调试一下缓存对象,可以找到被缓存的数据:

TinyFrame升级之五:全局缓存的设计及实现的更多相关文章

  1. .NET 缓存模块设计

    上一篇谈了我对缓存的概念,框架上的理解和看法,这篇承接上篇讲讲我自己的缓存模块设计实践. 基本的缓存模块设计 最基础的缓存模块一定有一个统一的CacheHelper,如下: public interf ...

  2. 《深入理解mybatis原理7》 MyBatis的二级缓存的设计原理

    <深入理解mybatis原理> MyBatis的二级缓存的设计原理 MyBatis的二级缓存是Application级别的缓存,它可以提高对数据库查询的效率,以提高应用的性能.本文将全面分 ...

  3. Redis缓存的设计、性能、应用与数据集群同步

    Redis缓存的设计.性能.应用与数据集群同步 http://youzhixueyuan.com/design-performance-and-application-of-redis-cache.h ...

  4. 简单服务端缓存API设计

    Want 我们希望设计一套缓存API,适应不同的缓存产品,并且基于Spring框架完美集成应用开发. 本文旨在针对缓存产品定义一个轻量级的客户端访问框架,目标支持多种缓存产品,面向接口编程,目前支持简 ...

  5. 《深入理解mybatis原理》 MyBatis的二级缓存的设计原理

    MyBatis的二级缓存是Application级别的缓存,它可以提高对数据库查询的效率,以提高应用的性能.本文将全面分析MyBatis的二级缓存的设计原理. 如上图所示,当开一个会话时,一个SqlS ...

  6. Redis缓存策略设计及常见问题

    Redis缓存设计及常见问题 缓存能够有效地加速应用的读写速度,同时也可以降低后端负载,对日常应用的开发至关重要.下面会介绍缓存使用技巧和设计方案,包含如下内容:缓存的收益和成本分析.缓存更新策略的选 ...

  7. mybatis深入理解(六)-----MyBatis的二级缓存的设计原理

    MyBatis的二级缓存是Application级别的缓存,它可以提高对数据库查询的效率,以提高应用的性能.本文将全面分析MyBatis的二级缓存的设计原理. 1.MyBatis的缓存机制整体设计以及 ...

  8. 单例设计模式全局缓存accessToken

    使用微信JS-SDK开发的小伙伴们,看文档经常会看到这样一句话:(下面是微信开发文档的一部分原话截图) 这句话就是:开发者必须在自己的服务全局缓存access_token,jsapi_ticket 下 ...

  9. IOS编程 图片缓存模块设计

    手机客户端为什么会留存下来?而不是被一味的Wap替代掉?因为手机客户端有Wap无可替代的优势,就是自身较强的计算能力. 手机中不可避免的一环:图片缓存,在软件的整个运行过程中显得尤为重要. 先简单说一 ...

随机推荐

  1. yii2超好用的日期组件和时间组件

    作者:白狼 出处:http://www.manks.top/yii2_datetimepicker.html 本文版权归作者,欢迎转载,但未经作者同意必须保留此段声明,且在文章页面明显位置给出原文连接 ...

  2. exe文件无法打开

    1.现象 在一个XP 64位机子上从IE下载一个exe文件后,双击竟然无任何反应,以为文件有问题,但多次尝试后仍是如此,但打开cmd通过命令行启动是正常,双击该机子上其他exe文件也都能启动,但从IE ...

  3. 各种隐藏 WebShell、创建、删除畸形目录、特殊文件名、黑帽SEO作弊(转自核大大)

    其实这个问题,经常有朋友问我,我也都帮大家解决了…… 但是现在这些现象越来越严重,而且手法毒辣.隐蔽.变态,清除了又来了,删掉了又恢复了,最后直接找不到文件了,但是访问网站还在,急的各大管理员.站长抓 ...

  4. 03 Hibernate错题分析

    1.在Hibernate中,以下关于主键生成器说法错误的是( C). A.increment可以用于类型为long.short或byte的主键 B.identity用于如SQL Server.DB2. ...

  5. Application中的路径

    前提条件 项目工程目录:E:/Work/cosmosbox/cb-client/ 我电脑当前的用户名:qingqing PersistentDataPath Application.persisten ...

  6. lgy -oracle

    PL/SQL Developer 和 instantclient客户端安装配置(图文) 一: PL/SQL Developer 安装 下载安装文件安装,我这里的版本号是PLSQL7.1.4.1391, ...

  7. 紫书例题-Ancient Cipher

    Ancient Roman empire had a strong government system with various departments, including a secret ser ...

  8. U-BOOT-Linux启动指令bootm分析

    首先说一下uImage和zImage的区别 uImage是在zImage之前加上信息头.包含系统类型.是否压缩及压缩方式等 bootm命令只能启动uImage 幻数:说得再好听的名字也只不过是个0~0 ...

  9. java 24 - 9 GUI 之 给窗体换图标、设置启动在屏幕中间、更换皮肤

    A.首先更改窗体左上角的图片 步骤一: 创建3个包,分别建立1个类 第一个是窗体的包,窗体类:设置窗体的主要布置和功能 第二个是资源包,图片:把想要改的图案拉进来 第三个是UI界面包,UI界面设计类: ...

  10. splay总结

    以此文纪念人生首次竞赛大选 这里主要讲一讲splay的区间操作,我讲的是指针实现,程序的效率可能比较低,更偏重代码的可读可写性,语言风格不是很优美有效,不喜勿喷 零.初始化结构体 1)这里主要是初始化 ...