1

再会!

我现在正在做一个项目,我正在使用 JQGrid 来显示我的数据。作为其功能的一部分,用户可以选择列并将这些列设为默认列。

我使用“columnChooser”让我的用户选择他们的默认列。

我现在的问题是,如何检索用户选择的那些列?
以及如何将这些列设置为默认列?

有人可以帮我解决这个问题。

谢谢

杰森

4

1 回答 1

3

用户更改列布局后,您可以从网格中获取 colModel,对其进行迭代并将配置推送到 json 对象数组中,然后将其发送到服务器。以下代码执行此操作:

function saveColumnConfiguration(grid, url) {
    if (url.length > 0) {
        var colArray = new Array();
        var colModel = grid[0].p.colModel;
        for (var i = 0; i < colModel.length; i++) {
            if (colModel[i].name != "rn" && colModel[i].name != "cb") {
                colArray.push({
                    Name: colModel[i].name,
                    Width: colModel[i].width,
                    Visible: !colModel[i].hidden
                });
            }
        }
        $.ajax({
            url: url,
            type: 'POST',
            data: 'columnConfiguration=' + JSON.stringify(colArray)
        });
    }
}

检查“rn”和“cb”意味着不要取行号和复选框列。

更新

您将需要一个类来表示列:

[Serializable]
public class JqGridColumn
{
    public string Name { get; set; }
    public int Width { get; set; }
    public bool Visible { get; set; }
}

您还需要自定义模型绑定器来反序列化传入列表:

public class JqGridConfigurationModelBinder : IModelBinder
{
    public object BindModel(ControllerContext controllerContext, ModelBindingContext bindingContext)
    {
        var conf = bindingContext.ValueProvider.GetValue("columnConfiguration").AttemptedValue;

        JavaScriptSerializer serializer = new JavaScriptSerializer();
        var configuration = serializer.Deserialize<IEnumerable<JqGridColumn>>(conf);

        return configuration;
    }
}

在应用程序启动中注册模型绑定器:

ModelBinders.Binders.Add(typeof(IEnumerable<JqGridColumn>), new JqGridConfigurationModelBinder());

控制器中处理列表的操作将是这样的:

public void SaveColumnConfiguration(IEnumerable<JqGridColumn> columnConfiguration)
{
    // Save the list accordingly...
}

请注意,列的顺序由它们在列表中的位置表示。然后,您可以轻松读取此配置并渲染网格。

更新 2

您的情况下的函数应该像这样调用

saveColumnConfiguration($("#freight_bill"), "/Controller/Action");

不是在调用 columnChooser 之后。当用户选择这样做时,您可以制作另一个按钮来保存更改,也可以done像这样处理来自列选择器的事件:

$("#freight_bill").jqGrid('columnChooser', {
    done: function (perm) {
            if (perm) { 
                $("#freight_bill").jqGrid("remapColumns", perm, true, false); 
            }
            saveColumnConfiguration($("#freight_bill"), "/Controller/Action");
        }
});
于 2011-07-19T06:35:28.270 回答