使用 ASP.Net MVC 3 我有一个控制器,它的输出正在使用属性进行缓存[OutputCache]
[OutputCache]
public controllerA(){}
我想知道是否可以通过调用另一个控制器来使特定控制器的缓存数据(服务器缓存)或所有缓存数据无效
public controllerB(){} // Calling this invalidates the cache
使用 ASP.Net MVC 3 我有一个控制器,它的输出正在使用属性进行缓存[OutputCache]
[OutputCache]
public controllerA(){}
我想知道是否可以通过调用另一个控制器来使特定控制器的缓存数据(服务器缓存)或所有缓存数据无效
public controllerB(){} // Calling this invalidates the cache
您可以使用该RemoveOutputCacheItem
方法。
这是一个如何使用它的示例:
public class HomeController : Controller
{
[OutputCache(Duration = 60, Location = OutputCacheLocation.Server)]
public ActionResult Index()
{
return Content(DateTime.Now.ToLongTimeString());
}
public ActionResult InvalidateCacheForIndexAction()
{
string path = Url.Action("index");
Response.RemoveOutputCacheItem(path);
return Content("cache invalidated, you could now go back to the index action");
}
}
索引操作响应在服务器上缓存 1 分钟。如果您点击该InvalidateCacheForIndexAction
操作,它将使索引操作的缓存过期。目前没有办法使整个缓存失效,您应该按缓存的操作(而不是控制器)执行此操作,因为该RemoveOutputCacheItem
方法需要它缓存的服务器端脚本的 url。
您可以通过使用自定义属性来做到这一点,如下所示:
[AttributeUsage(AttributeTargets.Class | AttributeTargets.Method)]
public sealed 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);
}
}
然后在你的controllerb
你可以做:
[NoCache]
public class controllerB
{
}