3

我有从 json 服务读取数据的 jqgrid

$('#list').jqGrid({
    url: 'jsonservice',
    datatype: 'json',
    mtype: 'GET',
    colNames: ['Id', 'Name', 'Street', 'City'],
    colModel: [
    { name: 'Id', index: 'Id', width: 55, align: 'center', width: '25' }
    { name: 'Name', index: 'Name', width: 120 },
    { name: 'Street', index: 'Street', width: 90 },
    { name: 'City', index: 'City', width: 50 },
    ]
});

json 服务返回这样的数据

{"page":1,
"total":37,
"records":722,
"rows":
[
    {"id":1,"cell":[1, "Sample name 1","Sample Street 2","Sample City 3"]},
    {"id":2,"cell":[2, "Sample name 2","Sample Street 2","Sample City 3"]}
]
}

如何在不更改json数据顺序的情况下将显示列的顺序更改为例如名称、城市、街道、ID?

4

1 回答 1

2

在表单中使用jsonReader的最简单方法

jsonReader: {repeatitems: false, id: "Id"}

在这种情况下,表示行的数据应该是具有命名属性的对象:

{
    "page": 1,
    "total": 37,
    "records": 722,
    "rows": [
        {"Id":1, "Name":"Sample name 1", "Street":"Sample Street 2", "City":"Sample City 3"},
        {"Id":2, "Name":"Sample name 2", "Street":"Sample Street 2", "City":"Sample City 3"}
    ]
}

该格式的主要缺点是增加了传输数据的大小。尽管如此,这将是解决您的问题的最简单方法。

另一种方法是repeatitems: false结合使用jsonmap. 它允许指定如何从数据行中读取每一列的数据。可以使用带点的名称jsonmap

$('#list').jqGrid({
    url: 'Marcin.json',
    datatype: 'json',
    colNames: ['Name', 'Street', 'City', 'Id'],
    colModel: [
        { name: 'Name', width: 120, jsonmap: "cell.1" },
        { name: 'Street', width: 190, jsonmap: "cell.2" },
        { name: 'City', width: 90, jsonmap: "cell.3" },
        { name: 'Id', width: 55, align: 'center', jsonmap: "cell.0" }
    ],
    height: "auto",
    gridview: true,
    jsonReader: { repeatitems: false, id: "Id" }
});

相应的演示看起来像

在此处输入图像描述

在更复杂的情况下,可以使用jsonmap作为函数从表示行的对象中读取列的项目。例如,可以将列'Id'的定义重写为以下

{ name: 'Id', width: 55, align: 'center',
    jsonmap: function (obj) { // "cell.0"
        return obj.cell[0];
    }}

修改后的演示显示相同的结果。

于 2013-02-17T22:02:56.783 回答