4

我有一个类似于此的 JSON 响应(我无法控制):

{"response":{
  "a" : "value of a",
  "b" : "value of b",
  "c" : "value of c",
  ...
}}

在哪里:

  • “a”、“b”、“c”是未知名称。
  • 项目的数量可能会有所不同。

最后我需要的是所有值的字符串数组。保留名称是一种奖励(字典?),但我需要按它们出现的顺序浏览值。

您将如何使用 JSON.NET 实现这一目标?

4

2 回答 2

6

您可以使用命名空间中的JObjectNewtonsoft.Json.Linq将对象反序列化为类似 DOM 的结构:

public class StackOverflow_10608188
{
    public static void Test()
    {
        string json = @"{""response"":{
          ""a"" : ""value of a"",
          ""b"" : ""value of b"",
          ""c"" : ""value of c""
        }}";
        JObject jo = JObject.Parse(json);
        foreach (JProperty property in jo["response"].Children())
        {
            Console.WriteLine(property.Value);
        }
    }
}
于 2012-05-15T20:21:48.413 回答
1

这有效,但不是很漂亮。我相信您可以使用JavaScriptSerializer.

var json = "{\"response\":{\"a\":\"value of a\",\"b\":\"value of b\",\"c\":\"value of c\"}}";
var x = new System.Web.Script.Serialization.JavaScriptSerializer();
var res = x.Deserialize<IDictionary<string, IDictionary<string, string>>>(json);

foreach (var key in res.Keys)
{
    foreach (var subkey in res[key].Keys)
    {
        Console.WriteLine(res[key][subkey]);
    }
}

或者

Console.WriteLine(res["response"]["a"]);
Console.WriteLine(res["response"]["b"]);
Console.WriteLine(res["response"]["c"]);

输出:

value of a
value of b
value of c
于 2012-05-15T20:55:08.670 回答