自定义模型绑定器绑定嵌套属性值

时间:2012-02-24 16:59:56

标签: asp.net-mvc-3 model-binding defaultmodelbinder

我需要这个的原因:在我的一个控制器中,我想以与我的应用程序的其余部分不同的方式绑定所有Decimal值。我不想在Global.asax中注册Model Binder(通过ModelBinders.Binders.Add(typeof(decimal), new DecimalModelBinder());

我尝试从DefaultModelBinder类派生并覆盖其BindProperty方法,但这仅适用于模型实例的立即(非嵌套)Decimal属性。

我有以下示例来演示我的问题:

namespace ModelBinderTest.Controllers
{
    public class Model
    {
        public decimal Decimal { get; set; }
        public DecimalContainer DecimalContainer { get; set; }
    }

    public class DecimalContainer
    {
        public decimal DecimalNested { get; set; }
    }

    public class DecimalModelBinder : DefaultModelBinder
    {
        protected override void BindProperty(ControllerContext controllerContext, ModelBindingContext bindingContext, System.ComponentModel.PropertyDescriptor propertyDescriptor)
        {
            if (propertyDescriptor.PropertyType == typeof (decimal))
            {                
                propertyDescriptor.SetValue(bindingContext.Model,  999M);
                return;
            }

            base.BindProperty(controllerContext, bindingContext, propertyDescriptor);
        }
    }

    public class TestController : Controller
    {

        public ActionResult Index()
        {
            Model model = new Model();
            return View(model);
        }

        [HttpPost]
        public ActionResult Index([ModelBinder(typeof(DecimalModelBinder))] Model model)
        {
            return View(model);
        }

    }
}

此解决方案仅将Model的{​​{1}}属性设置为999,但不对Decimal的{​​{1}}属性执行任何操作。我意识到这是因为在DecimalContainer的{​​{1}}覆盖中调用DecimalNested,但我不知道如何在处理十进制属性时说服基类使用我的Model Binder

1 个答案:

答案 0 :(得分:1)

您可以在Application_Start

中无条件地应用模型绑定器
ModelBinders.Binders.Add(typeof(decimal), new DecimalModelBinder());

然后有一个自定义授权过滤器(是的,在模型绑定器之前运行的授权过滤器),它将向HttpContext注入一些稍后可以被模型绑定器使用的值:

[AttributeUsage(AttributeTargets.Method)]
public class MyDecimalBinderAttribute : ActionFilterAttribute, IAuthorizationFilter
{
    public void OnAuthorization(AuthorizationContext filterContext)
    {
        filterContext.HttpContext.Items["_apply_decimal_binder_"] = true;
    }
}

然后在你的模型绑定器测试中,如果HttpContext包含应用它的自定义值befoire:

public class DecimalModelBinder : DefaultModelBinder
{
    public override object BindModel(ControllerContext controllerContext, ModelBindingContext bindingContext)
    {
        if (controllerContext.HttpContext.Items.Contains("_apply_decimal_binder_"))
        {
            // The controller action was decorated with the [MyDecimalBinder]
            // so we can proceed
            return 999M;
        }

        // fallback to the default binder
        return base.BindModel(controllerContext, bindingContext);
    }
}

现在剩下的就是使用自定义过滤器来装饰你的控制器动作以启用十进制活页夹:

[HttpPost]
[MyDecimalBinder]
public ActionResult Index(Model model)
{
    return View(model);
}