1

我有一个我模型绑定的类,我想对它使用输出缓存。我找不到访问绑定对象的方法GetVaryByCustomString

例如:

public class MyClass
{
    public string Id { get; set; }
    ... More properties here
}

public class MyClassModelBinder : DefaultModelBinder
{
   public override object BindModel(ControllerContext controllerContext, ModelBindingContext bindingContext)
   {
      var model = new MyClass();
      ... build the class       
      return model;
    }
}

我在 Global.cs 中设置了活页夹

ModelBinders.Binders.Add(typeof(MyClass), new MyClassModelBinder());

然后像这样使用输出缓存。

[OutputCache(Duration = 300, VaryByCustom = "myClass")]
public ActionResult MyAction(MyClass myClass)
{
   .......

public override string GetVaryByCustomString(HttpContext context, string custom)
{
   ... check we're working with 'MyClass'

   var routeData = RouteTable.Routes.GetRouteData(new HttpContextWrapper(context));
   var myClass = (MyClass)routeData.Values["myClass"]; <-- This is always null

尽管模型绑定器已触发,但 myClass 不在路由表事件中。

一如既往地欢迎任何帮助。

干杯

4

1 回答 1

5

模型绑定器不会将模型添加到 中RouteData,因此您不能期望从那里获取它。

一种可能性是将模型存储在HttpContext自定义模型绑定器内部:

public class MyClassModelBinder : DefaultModelBinder
{
   public override object BindModel(ControllerContext controllerContext, ModelBindingContext bindingContext)
   {
      var model = new MyClass();
      // ... build the class

      // Store the model inside the HttpContext so that it is accessible later
      controllerContext.HttpContext.Items["model"] = model;
      return model;
    }
}

然后GetVaryByCustomString使用相同的键(model在我的示例中)在方法中检索它:

public override string GetVaryByCustomString(HttpContext context, string custom)
{
    var myClass = (MyClass)context.Items["model"];

    ...
}
于 2012-06-25T20:26:08.853 回答