我有一个来自KendoUI的代码示例。
public ActionResult Customers_Read([DataSourceRequest]DataSourceRequest request)
{
return Json(GetCustomers().ToDataSourceResult(request));
}
private static IEnumerable<CustomerViewModel> GetCustomers()
{
var northwind = new SampleEntities();
return northwind.Customers.Select(
customer => new CustomerViewModel
{
CustomerID = customer.CustomerID,
CompanyName = customer.CompanyName,
ContactName = customer.ContactName,
...
});
}
这个例子很好用。
我对[DataSourceRequest]
方法中的Customers_Read
感到困惑......
当我删除(?属性?)[DataSourceRequest]
时,请求中的属性为空(null)...(它们不受约束) - &gt;结果:过滤器不起作用..
[DataSourceRequest]
是什么?这就像是属性的属性吗?
答案 0 :(得分:6)
您所看到的是模型活页夹属性。 DataSourceRequest
实际上是DataSourceRequestAttribute
并扩展了CustomModelBinderAttribute
类。创建这样的属性非常简单:
首先我们需要一个模型:
public class MyModel
{
public string MyProp1 { get; set; }
public string MyProp2 { get; set; }
}
我们需要能够通过创建自定义模型绑定器来创建绑定。根据您的值发送到服务器的方式,从表单或查询字符串中获取值:
public class MyModelBinder : IModelBinder
{
public object BindModel (ControllerContext controllerContext, ModelBindingContext bindingContext)
{
MyModel model = new MyModel();
//model.MyProp1 = controllerContext.HttpContext.Request.Form["MyProp1"];
//model.MyProp2 = controllerContext.HttpContext.Request.Form["MyProp2"];
//or
model.MyProp1 = controllerContext.HttpContext.Request.QueryString["MyProp1"];
model.MyProp2 = controllerContext.HttpContext.Request.QueryString["MyProp2"];
return model;
}
}
我们需要做的最后一件事是创建模型绑定器属性,该属性可以在操作结果签名中设置。它的唯一目的是指定模型绑定器,它必须用于它装饰的参数:
public class MyModelBinderAttribute : CustomModelBinderAttribute
{
public override IModelBinder GetBinder()
{
return new MyModelBinder();
}
}
可以通过创建一个简单的ActionResult
并使用查询字符串中的参数调用它来测试自定义绑定(因为我的上面的实现在查询字符串中查找参数):
public ActionResult DoBinding([MyModelBinder]MyModel myModel)
{
return new EmptyResult();
}
//inside the view
<a href="/Home/DoBinding?MyProp1=value1&MyProp2=value2">Click to test</a>
正如DavidG所说,DataSourceRequestAttribute
与DataSourceRequest
不同。由于Attribute
名称惯例,它们似乎具有相同的名称,即DataSourceRequestAttribute
在装饰对象或属性时丢失Attribute
部分。
作为结论,DataSourceRequestAttribute
只是告诉框架,DataSourceRequestModelBinder
参数应该使用自定义模型绑定器(可能是DataSourceRequest request
或类似的东西)。