咨询区
jackmusick:
我想禁掉浏览器缓存,这样我的client端每次都能看到server端的最新内容,在 asp.net 时代可以这么写。
public class NoCacheAttribute : ActionFilterAttribute
{ public override void OnResultExecuting(ResultExecutingContext filterContext){filterContext.HttpContext.Response.Cache.SetExpires(DateTime.UtcNow.AddDays(-1));filterContext.HttpContext.Response.Cache.SetValidUntilExpires(false);filterContext.HttpContext.Response.Cache.SetRevalidation(HttpCacheRevalidation.AllCaches);filterContext.HttpContext.Response.Cache.SetCacheability(HttpCacheability.NoCache);filterContext.HttpContext.Response.Cache.SetNoStore();base.OnResultExecuting(filterContext);}
}
但在 asp.net core 项目中我发现并没有 HttpContext.Response.Cache
属性,请问是否有其他可替换的方式?
回答区
Darin Dimitrov:
你可以直接在 response header 上添加你需要设置的值,参考如下代码:
public class NoCacheAttribute : ActionFilterAttribute
{public override void OnResultExecuting(ResultExecutingContext filterContext){filterContext.HttpContext.Response.Headers["Cache-Control"] = "no-cache, no-store, must-revalidate";filterContext.HttpContext.Response.Headers["Expires"] = "-1";filterContext.HttpContext.Response.Headers["Pragma"] = "no-cache";base.OnResultExecuting(filterContext);}
}
mk_yo:
在 asp.net core 中,ResponseCache 特性被保留了下面,所以你可以像下面这样设置。
[ResponseCache(NoStore = true, Location = ResponseCacheLocation.None)]public class HomeController : Controller{}
Marco Alves:
如果你需要在全局作用域上禁用,可以利用 Middleware 机制实现,参考如下代码。
namespace Onsolve.ONE.WebApi.Middlewares
{public sealed class RequestHandlerMiddleware{private readonly RequestDelegate next;private readonly ILogger logger;public RequestHandlerMiddleware(ILogger<RequestHandlerMiddleware> logger, RequestDelegate next){this.next = next;this.logger = logger;}public async Task Invoke(HttpContext context){await next(context);context.Response.Headers["Cache-Control"] = "no-cache, no-store, must-revalidate";context.Response.Headers["Expires"] = "-1";context.Response.Headers["Pragma"] = "no-cache";}}
}
点评区
这功能好,让浏览器实时查看server端内容,尤其是集成到中间件中,学习了。