webapi 自定义缓存实现
定义一个Filter
public class MyOutputCacheAttribute : ActionFilterAttribute
{ MemoryCacheDefault _cache = new MemoryCacheDefault(); /// <summary>
/// 客户端缓存(用户代理)缓存相对过期时间
/// </summary>
public int ClientCacheExpiration { set; get; } /// <summary>
/// 服务端缓存过期时间
/// </summary>
public int ServerCacheExpiration { set; get; } /// <summary>
///
/// </summary>
/// <param name="clientCacheExpiration">客户端过期时间。单位为秒,默认为600秒(10分钟)</param>
/// <param name="cerverCacheExpiration">服务端过期时间。单位为秒,默认为7200秒(120分钟)</param>
public MyOutputCacheAttribute(int clientCacheExpiration = 600, int serverCacheExpiration = 7200)
{
this.ClientCacheExpiration = clientCacheExpiration;
this.ServerCacheExpiration = serverCacheExpiration;
} /// <summary>
/// 判定是否用缓存中的内容,还是执行action是去取内容
/// 注:一旦给actionContext.Response赋值了,则会使用这个值来输出响应
/// </summary>
/// <param name="actionContext"></param>
public override void OnActionExecuting(System.Web.Http.Controllers.HttpActionContext actionContext)
{ // **************************************** 穿透缓存 *********************************************
// 若无缓存,则直接返回
string cacheKey = getCacheKey(actionContext);
if (_cache.Contains(cacheKey) == false)
return;
if (_cache.Contains(cacheKey + ":etag") == false)
return; // **************************************** 使用缓存 *********************************************
// 获取缓存中的etag
var etag = _cache.Get<string>(cacheKey + ":etag");
// 若etag没有被改变,则返回304,
if (actionContext.Request.Headers.IfNoneMatch.Any(x => x.Tag == etag)) //IfNoneMatch为空时,返回的是一个集合对象
{
actionContext.Response = actionContext.Request.CreateResponse(HttpStatusCode.NotModified); // 响应对象还没有生成,需要先生成 // 304 not modified
actionContext.Response.Headers.CacheControl = GetDefaultCacheControl();
actionContext.Response.Headers.ETag = new EntityTagHeaderValue(etag);
return;
}
else //从缓存中返回响应
{
actionContext.Response = actionContext.Request.CreateResponse(); // 响应对象还没有生成,需要先生成
// 设置协商缓存:etag
actionContext.Response.Headers.ETag = new EntityTagHeaderValue(etag); //用缓存中的值(为最新的)更新它
// 设置user agent的本地缓存
actionContext.Response.Headers.CacheControl = GetDefaultCacheControl(); // 从缓存中取中响应内容
var content = _cache.Get<byte[]>(cacheKey);
actionContext.Response.Content = new ByteArrayContent(content);
return;
}
} /// <summary>
/// 将输出保存在缓存中。
/// </summary>
/// <param name="actionExecutedContext"></param>
/// <param name="cancellationToken"></param>
/// <returns></returns>
public override async System.Threading.Tasks.Task OnActionExecutedAsync(HttpActionExecutedContext actionExecutedContext, System.Threading.CancellationToken cancellationToken)
{
// 响应对象已经生成,可以直接调用 actionExecutedContext.Response // 设置协商缓存:etag
EntityTagHeaderValue etag = new EntityTagHeaderValue("\"" + Guid.NewGuid().ToString() + "\""); // 根据http协议, ETag的值必须用引号包含起来
actionExecutedContext.Response.Headers.ETag = etag;
// 设置user agent的本地缓存
actionExecutedContext.Response.Headers.CacheControl = GetDefaultCacheControl(); // actionExecutedContext.Response.Headers.Remove("Content-Length"); // 改变了值,它会发生变化。删除它的话,后续的程序会自动地再计算 // 保存到缓存
string cacheKey = getCacheKey(actionExecutedContext.ActionContext);
var contentBytes = await actionExecutedContext.Response.Content.ReadAsByteArrayAsync(); _cache.Add(cacheKey + ":etag", etag.Tag, DateTimeOffset.Now.AddSeconds(this.ServerCacheExpiration));
_cache.Add(cacheKey, contentBytes, DateTimeOffset.Now.AddSeconds(this.ServerCacheExpiration)); } /// <summary>
/// 默认的用户代理本地缓存配置,10分钟的相对过期时间
/// 对应响应header中的 Cache-Control
/// 这里设置里面的子项max-age。如:Cache-Control: max-age=3600
/// </summary>
/// <returns></returns>
CacheControlHeaderValue GetDefaultCacheControl()
{
CacheControlHeaderValue control = new CacheControlHeaderValue();
control.MaxAge = TimeSpan.FromSeconds(this.ClientCacheExpiration); // 它对应响应头中的 cacheControl :max-age=10项 return control;
} /// <summary>
///
/// </summary>
/// <param name="actionContext"></param>
/// <returns></returns>
string getCacheKey(System.Web.Http.Controllers.HttpActionContext actionContext)
{
string cacheKey = null; cacheKey = actionContext.Request.RequestUri.PathAndQuery; // 路径和查询部分,如: /api/values/1?ee=33&oo=5 // 对路径中的参数进行重排,升序排列 //string controllerName = actionContext.ControllerContext.ControllerDescriptor.ControllerName;
//string actionName = actionContext.ActionDescriptor.ActionName; //if (actionContext.ActionArguments.ContainsKey("id") == false)
//{
// cacheKey = controllerName + "/" + actionName;
//}
//else
//{
// string id = actionContext.ActionArguments["id"].ToString();
// cacheKey = controllerName + "/" + actionName + "/" + id;
//} return cacheKey;
} }
上面的这段代码严格遵循RFC2626中定义的缓存协议。
定义一个服务器端缓存实现
这里采用MemoryCache,也可以采用memcached, redis之类的。
public class MemoryCacheDefault
{
private static readonly MemoryCache _cache = MemoryCache.Default; public void RemoveStartsWith(string key)
{
lock (_cache)
{
_cache.Remove(key);
}
} public T Get<T>(string key) where T : class
{
var o = _cache.Get(key) as T;
return o;
} [Obsolete("Use Get<T> instead")]
public object Get(string key)
{
return _cache.Get(key);
} public void Remove(string key)
{
lock (_cache)
{
_cache.Remove(key);
}
} public bool Contains(string key)
{
return _cache.Contains(key);
} public void Add(string key, object o, DateTimeOffset expiration, string dependsOnKey = null)
{
var cachePolicy = new CacheItemPolicy
{
AbsoluteExpiration = expiration
}; if (!string.IsNullOrWhiteSpace(dependsOnKey))
{
cachePolicy.ChangeMonitors.Add(
_cache.CreateCacheEntryChangeMonitor(new[] { dependsOnKey })
);
}
lock (_cache)
{
_cache.Add(key, o, cachePolicy);
}
} public IEnumerable<string> AllKeys
{
get
{
return _cache.Select(x => x.Key);
}
}
}
将filter应用到action中
public class ValuesController : ApiController
{ [MyOutputCache(10)]
public string Get(int id)
{
return "value" + id.ToString();
}
}
webapi 自定义缓存实现的更多相关文章
- 【.net 深呼吸】自定义缓存配置(非Web项目)
在前一篇烂文中,老周简单讲述了非Web应用的缓存技术的基本用法.其实嘛,使用系统默认方案已经满足我们的需求了,不过,如果你真想自己来配置缓存,也是可以的. 缓存的自定义配置可以有两种方案,一种是用代码 ...
- 借鉴dubbo实现自定义缓存
自定义缓存一般基于ConcurrentMap实现,实现缓存需要注意的点是缓存容器对象 本身依赖于 static final去存储对象,样例: ConcurrentMap<String, Gene ...
- MyBatis 一、二级缓存和自定义缓存
1.一级缓存 MyBatis 默认开启了一级缓存,一级缓存是在SqlSession 层面进行缓存的.即,同一个SqlSession ,多次调用同一个Mapper和同一个方法的同一个参数,只会进行一 ...
- redis学习总结-redis作为MyBatis的自定义缓存
1.RedisCache.java package com.houtai.cache; import java.util.concurrent.locks.ReadWriteLock; import ...
- 一、WebAPI自定义过滤器的使用
一.WebAPI自定义过滤器的使用 1.注册过滤器 using System.Web.Http; using KYINT.WebAPIService.Handler; namespace KYINT. ...
- (转)MyBatis 一、二级缓存和自定义缓存
1.一级缓存 MyBatis 默认开启了一级缓存,一级缓存是在SqlSession 层面进行缓存的.即,同一个SqlSession ,多次调用同一个Mapper和同一个方法的同一个参数, 只会进行一次 ...
- asp.net webapi自定义输出结果类似Response.Write()
asp.net webapi自定义输出结果类似Response.Write() [HttpGet] public HttpResponseMessage HelloWorld() { string ...
- 自定义缓存管理器 或者 Spring -- cache
Spring Cache 缓存是实际工作中非常常用的一种提高性能的方法, 我们会在许多场景下来使用缓存. 本文通过一个简单的例子进行展开,通过对比我们原来的自定义缓存和 spring 的基于注释的 c ...
- .Net Core 跨平台开发实战-服务器缓存:本地缓存、分布式缓存、自定义缓存
.Net Core 跨平台开发实战-服务器缓存:本地缓存.分布式缓存.自定义缓存 1.概述 系统性能优化的第一步就是使用缓存!什么是缓存?缓存是一种效果,就是把数据结果存在某个介质中,下次直接重用.根 ...
随机推荐
- maven的tomcat插件问题
在dependence中不用加tomcat的jar, 记得在plugin中加入tomcat插件就行. 否则会出问题.
- Shell脚本1-20例
1.每天生成一个文件 描述:请按照这样的日期格式(xxxx-xx-xx)每日生成一个文件,例如今天生成的文件为)2017-07-05.log, 并且把磁盘的使用情况写到到这个文件中,(不用考虑cron ...
- This iPhone 6s is running iOS 11.3.1 (15E302), which may not be supported by this version of Xcode.
This iPhone 6s is running iOS 11.3.1 (15E302), which may not be supported by this version of Xcode.
- XAMPP与本地Mysql冲突解决方法
1.更改regeit目录 https://blog.csdn.net/sinat_37633633/article/details/77645463 2.更改配置文件my.ini (1)https:/ ...
- ---mingw Linux交叉编译给Window的工具
https://arrayfire.com/cross-compile-to-windows-from-linux/
- Mac 系统下 mysql 的安装与配置
1.mysql 的安装 1)官网下载 mysql 安装包:http://www.mysql.com/downloads/ 2)下载后解压打开安装包,点击 pkg 文件进行安装 3)注意:最后一步弹窗会 ...
- cadence 17.2 安装破解
安装包都在gaobo百度云/工具/开发工具 或者 下载链接 进去pcb edit 可能会提示 licese什么的,忽略就可以了.
- (vue.js)element ui 表单重置
el-form需要接收一个model,并且需要配合el-form-item一起使用,并且在el-form-item上绑定prop属性,resetField方法才能好使. <el-form :mo ...
- [转]MAC系统下Sublime Text3 配置Python3详细教程(亲测有效)
原文地址: https://blog.csdn.net/weixin_41768008/article/details/79859008?tdsourcetag=s_pctim_aiomsg 这段时间 ...
- matlab中mat文件简单存/取
>>abc=[,,,,,]; >>save data save file_name:命令可以将当前项目中变量的值保存到file_name中去,这里的data文件就是mat文件. ...