我有一个类型:
public class IssueForm
{
Order Order {get; set;}
Item Item {get; set;}
Range Range {get; set;}
}
由于Order和Item的要求,我创建了一个自定义模型绑定器,但Range仍然可以使用默认模型绑定器。
我的自定义模型绑定器中是否有一种方法可以调用默认模型绑定器来返回Range对象?我想我只需要正确设置ModelBindingContext,但我不知道如何。
修改
查看第一条评论和答案 - 似乎从默认模型绑定器继承可能很有用。
到目前为止,为我的设置添加更多细节,我有:
public IssueFormModelBinder : IModelBinder
{
public object BindModel(ControllerContext controllerContext, ModelBindingContext bindingContext)
{
Order = //code to pull the OrderNumber from the context and create an Order
Item = //code to pull the ItemNumber from the context and create an Item
IssueForm form = IssueFormFactory.Create(Order, Item);
form.Range = // ** I'd like to replace my code with a call to the default binder **
return form
}
}
这可能是一种愚蠢的方式......这是我的第一个模型绑定器。只是指出我当前的实现。
编辑#2
因此,如果我可以像“我完成所有绑定”方法一样挂钩并使用属性调用Factory方法,那么覆盖BindProperty的答案将会起作用。
我想我真的应该看一下DefaultModelBinder实现并退出愚蠢。
答案 0 :(得分:52)
从DefaultModelBinder中覆盖BindProperty:
public class CustomModelBinder:DefaultModelBinder
{
protected override void BindProperty( ControllerContext controllerContext, ModelBindingContext bindingContext, System.ComponentModel.PropertyDescriptor propertyDescriptor )
{
if (propertyDescriptor.PropertyType == typeof(Range))
{
base.BindProperty(controllerContext, bindingContext, propertyDescriptor);
}
// bind the other properties here
}
}
答案 1 :(得分:25)
尝试这样的事情:
public class CustomModelBinder : DefaultModelBinder {
protected override void BindProperty(ControllerContext controllerContext, ModelBindingContext bindingContext, PropertyDescriptor propertyDescriptor) {
if(propertyDescriptor.Name == "Order") {
...
return;
}
if(propertyDescriptor.Name == "Item") {
...
return;
}
base.BindProperty(controllerContext, bindingContext, propertyDescriptor);
}
}
答案 2 :(得分:6)
我想我会注册两个不同的自定义模型绑定器,一个用于Order,一个用于Item,并让默认模型绑定器处理Range和IssueForm。