0

有点模糊的问题,但我不确定我如何才能做到这一点。Firebug 说我的 ajax 请求中的 Json 对象(数组?)如下所示:

{
"jsonResult":
"[
   {\"OrderInList\":1},
   {\"OrderInList\":2}
]"
}

这是通过 $.getJSON ajax 请求检索的:

    $.getJSON("/Json/GetOrderSelectList?parentCategoryId=" + postData, testData, function (jsonResult) {
        $('#orderInList option').remove();

        var map = {
            "TestKey1": "TestValue1",
            "TestKey2": "TestValue2"
        };

        $.each(jsonResult, function (key, value) {
            $("#orderInList").append($("<option value=" + key + ">" + value + "</option>")
            );
        });

如果我用 $.each(map) 替换 $.each(jsonResult) ,则选择列表会正确填充。否则我的选择列表只会显示“未定义”。

我在我的 MVC 控制器中序列化此操作中的 Json:

    public JsonResult GetOrderSelectList(int parentCategoryId)
    {
        var result = Session
            .QueryOver<Category>()
            .Where(x => x.Parent.Id == parentCategoryId)
            .OrderBy(x => x.OrderInList).Asc
           .List();

        var toSerialize =
            result.Select(r => new {r.OrderInList});

        var jsonResult = JsonConvert.SerializeObject(toSerialize);                             
        return Json(new
                        { jsonResult,
                        }, JsonRequestBehavior.AllowGet);

    }

所以我认为问题可能是动作响应的 Json 格式?任何帮助表示赞赏!

编辑答案

下面的两个答案都对我有帮助。我似乎无法强输入变量 jsonResult 所以感谢@JBabey 指出我在读取 json 属性时的错误,并在 $.each 语句中建议函数 (key, value)。

感谢@Darin Dimitrov 帮助整理我的控制器!

4

2 回答 2

3

您的控制器操作错误。您在其中手动进行 JSON 序列化,然后将其作为 JSON 结果返回,从而以双 JSON 序列化结束。您可以直接返回数组并将 JSON 序列化管道留给 ASP.NET MVC 框架:

public ActionResult GetOrderSelectList(int parentCategoryId)
{
    var result = Session
        .QueryOver<Category>()
        .Where(x => x.Parent.Id == parentCategoryId)
        .OrderBy(x => x.OrderInList)
        .Asc
        .List();
    return Json(result, JsonRequestBehavior.AllowGet);
}

进而:

$.getJSON("/Json/GetOrderSelectList?parentCategoryId=" + postData, testData, function (jsonResult) {
    $('#orderInList option').remove();
    $.each(jsonResult, function () {
        $('#orderInList').append(
            $("<option value=" + this.Id + ">" + this.Value + "</option>")
        );
    });
});

请注意,我在这里使用this.Idthis.Value。这假设 JSON 结果如下所示:

[{"Id": 1, "Value": "some value"}, {"Id": 2, "Value": "some other value"}]

您将不得不根据您的实际Category模型调整这些属性名称。

于 2012-08-12T15:25:40.807 回答
1

您将 ajax 返回的数据属性与数据本身混淆了。$.each如果您更正此问题,它将正常工作。

您返回的数据如下所示:

{
    "jsonResult": "[
        {\"OrderInList\":1},
        {\"OrderInList\":2}
    ]"
}

这意味着这是传递给您的成功函数的对象。调用它data而不是jsonResult.

function (data) {
    ...
    $.each(data.jsonResult, function (key, value) {
        ...
    });
});

此外,您的数组是作为字符串传入的,因此您可能需要先对其进行解析,然后$.each才能对其进行迭代。

于 2012-08-12T15:25:20.463 回答