我尝试使用OutputCache属性在ASP.NET MVC 4中实现缓存。
这是我的控制器动作:
[HttpGet]
[OutputCache(Duration = CACHE_DURATION, VaryByCustom = "$LanguageCode;myParam", Location = OutputCacheLocation.Server)]
public JsonResult MyAction(string myParam)
{
// this is called also if should be cached!
}
这是Global.asax中的GetVaryByCustomString:
public override string GetVaryByCustomString(HttpContext context, string arg)
{
var pars = arg.Split(';');
if (pars.Length == 0) return string.Empty;
var res = new System.Text.StringBuilder();
foreach (var s in pars)
{
switch (s)
{
case "$LanguageCode":
var culture = CultureManager.GetCurrentCulture();
res.Append(culture.Name);
break;
default:
var par = context.Request[s];
if (par != null)
res.AppendFormat(par);
break;
}
}
return base.GetVaryByCustomString(context, res.ToString());
}
始终调用此方法并返回正确的值(例如"it123"
)。
如果我使用唯一的myParam
参数调用操作,则缓存可以正常工作。
http://localhost:1592/MyController/MyAction?myParam=123 // called multiple times always read from cache
问题是,当我使用另一个参数调用该操作时,不包含在VaryByCustom
字符串中,无论如何都会调用控制器操作,如果应该缓存,GetVaryByCustomString
返回相同的操作结果
http://localhost:1592/MyController/MyAction?myParam=123&dummy=asdf // called multiple times with different 'dummy' values always calls the action
有什么想法吗?
答案 0 :(得分:9)
首先,您必须将[OutputCache]
更改为包含VaryByParam=""
:
[OutputCache(Duration = CACHE_DURATION, VaryByCustom = "$LanguageCode;myParam", VaryByParam = "", Location = OutputCacheLocation.Server)]
默认情况下,它的值为"*"
(全部)。
然后在GetVaryByCustomString()
方法中,尝试返回生成的字符串,而不是调用基本方法:
return res.ToString();
这是base.GetVaryByCustomString()
方法的源代码:
public virtual string GetVaryByCustomString(HttpContext context, string custom) {
if (StringUtil.EqualsIgnoreCase(custom, "browser")) {
return context.Request.Browser.Type;
}
return null;
}
正如您所看到的,它不会按照您的想法执行操作,它只会将浏览器类型与您提供的字符串进行比较,如果没有匹配则会返回null
,而不是您提供的string
。
(我怀疑仅[OutputCache]
更改就足够了,但也尝试更改方法)