我有一个JSON字符串,如下所示:
{
"package1": {
"type": "envelope",
"quantity": 1,
"length": 6,
"width": 1,
"height": 4
},
"package2": {
"type": "box",
"quantity": 2,
"length": 9,
"width": 9,
"height": 9
}
}
我正在使用Json.NET LINQ to Json功能来处理我的Json字符串,但我想知道如何在字符串中找到节点/元素/键的总数(我真的不知道该怎么称呼它们)。例如,上面的字符串有package1和package2,所以我想知道如何让它返回整数2。有时我可能只有一个包,在这种情况下,我希望它返回整数1。其他时候我可能有20个包裹(在这种情况下,我希望它能退回20个)。
我的JObject是这样的:
JObject o = JObject.Parse(myJsonString);
有什么想法吗?谢谢你的帮助。
JObject jObj = (JObject)JsonConvert.DeserializeObject(myJsonString);
int count = jObj.Count;
奖金:
dynamic jObj = JsonConvert.DeserializeObject(myJsonString);
foreach (var package in jObj)
{
Console.WriteLine("{0} {1}", package.First.type, package.First.quantity);
}
递归版本(计算所有具有基元值的属性)
在谷歌上搜索JObject值的递归计数时遇到了这个问题,没有发现很多其他问题,所以我想我也会把我想到的东西添加到这个问题中
int CountJTokenProperties(JToken token)
{
var sum = 0;
if (token.Type == JTokenType.Object)
{
foreach (var child in token.Value<JObject>())
{
sum += CountJTokenProperties(child.Value);
}
}
else if (token.Type == JTokenType.Array)
{
foreach (var child in token.Value<JArray>())
{
sum += CountJTokenProperties(child);
}
}
else
{
sum += 1;
}
return sum;
}
.Value<JObject>()
和.Value<JArray>()
可能有更好的替代方案,但这似乎正在发挥作用。
特别是,我希望将其用于具有可变样本数据的nunit测试,并希望确保其正确反序列化。决定检查C#对象上有多少非默认值是一种简单的方法,JsonConvert具有这种能力:
public int CountNonDefaultProperties(object obj)
{
// Let JsonConvert do the work of stripping out default values
var serialized = JsonConvert.SerializeObject(obj, new JsonSerializerSettings
{
DefaultValueHandling = DefaultValueHandling.Ignore
});
// Recurse into the json structure, which is much simpler than C# Object structure
var jObj = JObject.Parse(serialized);
return CountJTokenProperties(jObj);
}
请注意,DefaultValueHandling.Ignore
保留了作为数组一部分的默认值,因此,如果您想要该功能,则需要以不同的方式或其他方式计算数组项,此活动留给读取器
https://dotnetfiddle.net/XIZCvh
使用Cinchoo ETL-一个开源库,您可以用更少的内存开销轻松地进行节点计数,因为它使用流式方法来解析输入。因此,它也可以处理大文件。
string json = @"{
""package1"": {
""type"": ""envelope"",
""quantity"": 1,
""length"": 6,
""width"": 1,
""height"": 4
},
""package2"": {
""type"": ""box"",
""quantity"": 2,
""length"": 9,
""width"": 9,
""height"": 9
}
}";
using (var p = ChoJSONReader.LoadText(json).WithJSONPath("$.*"))
{
Console.WriteLine(p.Count());
}
希望能有所帮助。
string json= "{
"package1": {
"type": "envelope",
"quantity": 1,
"length": 6,
"width": 1,
"height": 4
},
"package2": {
"type": "box",
"quantity": 2,
"length": 9,
"width": 9,
"height": 9
}
}";
dynamic stuff;
int count;
stuff = JsonConvert.DeserializeObject(json);
foreach(JProperty s in stuff){
count++;
}
Console.WriteLine(count.ToString());
如果Count属性不适合您,请尝试此操作。请确保您的C#版本是4.0或更高版本,因为当时添加了动态关键字。
使用字典类型的反序列化:
JsonConvert.DeserializeObject<IDictionary>(myJsonString).Count
或
JsonConvert.DeserializeObject<IDictionary<string, object>>(myJsonString).Count
在JQuery$.ajax中,您将收到一个数组,遍历元素并获得总和。