6

我正在使用远程加载数据的 Telerk Kendo UI 网格。传递给我的QueryString操作方法如下所示:-

take=10&skip=0&page=1&pageSize=10&sort[0][field]=value&sort[0][dir]=asc

我正在尝试弄清楚如何将sort参数绑定到我的方法中?是否有可能或者我需要QueryString手动枚举集合或创建自定义活页夹?

到目前为止,我已经尝试过:-

public JsonResult GetAllContent(int page, int take, int pageSize, string[] sort)

public JsonResult GetAllContent(int page, int take, int pageSize, string sort)

但排序始终为空。有谁知道我怎么能做到这一点?

我可以使用 Request.QueryString 回退,但这有点麻烦。

var field = Request.QueryString["sort[0][field]"];
var dir = Request.QueryString["sort[0][dir]"];
4

2 回答 2

8

您可以使用一系列字典:

public ActionResult Index(
    int page, int take, int pageSize, IDictionary<string, string>[] sort
)
{
    sort[0]["field"] will equal "value"
    sort[0]["dir"] will equal "asc"
    ...
}

然后定义一个自定义模型绑定器:

public class SortViewModelBinder : IModelBinder
{
    public object BindModel(ControllerContext controllerContext, ModelBindingContext bindingContext)
    {
        var modelName = bindingContext.ModelName;
        var keys = controllerContext
            .HttpContext
            .Request
            .Params
            .Keys
            .OfType<string>()
            .Where(key => key.StartsWith(modelName));

        var result = new Dictionary<string, string>();
        foreach (var key in keys)
        {
            var val = bindingContext.ValueProvider.GetValue(key);
            result[key.Replace(modelName, "").Replace("[", "").Replace("]", "")] = val.AttemptedValue;
        }

        return result;
    }
}

将在 Global.asax 中注册:

ModelBinders.Binders.Add(typeof(IDictionary<string, string>), new SortViewModelBinder());
于 2012-03-04T19:44:02.187 回答
0

对于 asp.net 核心,我没有使用模型绑定器,因为数据是作为字典发送的,我只是在我的 api 上使用了以下方法签名,并且绑定自动发生(客户端不需要参数映射)

public async Task<JsonResult> GetAccessions(.., IDictionary<string, string>[] sort)
{
    ...
}
于 2018-06-22T08:44:02.220 回答