我需要这个的原因:在我的一个控制器中,我想用与应用程序其他部分不同的方式绑定所有Decimal值。我不想在Global.asax(通过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
的Decimal
属性设置为999,但不对DecimalContainer
的DecimalNested
属性执行任何操作。我意识到这是因为base.BindProperty
是在我的DecimalModelBinder
的BindProperty
覆盖中调用的,但我不知道如何说服基类在处理十进制属性时使用我的Model Binder。
您可以在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包含用于应用它的自定义值:
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);
}