方括号中有(attribute)的方法参数

本文关键字:方法 参数 attribute 方括号 | 更新日期: 2023-09-27 18:25:14

我有一个来自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,
            // ...
        });
}

这个例子很好用。

我对Customers_Read方法中的[DataSourceRequest]感到困惑。。。

当我删除(属性?)[DataSourceRequest]时,请求中的属性为空(null)。。。(它们没有绑定)->结果:过滤器不起作用。

什么是[DataSourceRequest]?它像属性上的属性吗?

代码示例->IndexController.cs代码示例

方括号中有(attribute)的方法参数

您看到的是一个模型绑定器属性。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只是告诉框架应该为DataSourceRequest request参数使用自定义模型绑定器(可能是DataSourceRequestModelBinder或类似的东西)。

有关其他信息,请参阅以下链接:来源,来源。