我很难使用 JSON.net 获取 JSON 对象的父键/属性/属性。也就是说,我想要最外层的属性名称,作为一个字符串,而事先/直观地不知道它是什么。我目前正在迭代一组 KeyValuePair 项目,并尝试为每个项目注销父项,
如下所示{"parentKey":
{
"Name": "Name",
"Id": "123",
"Other": null,
"nestedArr":
[
"idx0",
"idx1",
"idx2"
]
}
}
我尝试了keyValue.Value.Ancestors()
和keyValue.Value.Parent
.对于前者,我得到了看起来像函数定义的东西......我实际上不确定它是什么:Newtonsoft.Json.Linq.JToken+<GetAncestors>d_ _ 42
.完全被它弄糊涂了,因为根据我在这里搜索到的使用示例,我正在使用它作为标准。
使用后者,我注销整个对象,或者似乎是前面的整个KeyValuePair,而不仅仅是我想要的字符串"parentKey"。就明确的使用示例和期望而言,JSON.net 文档并不是最好的(或者也许只是 C# 的新手,我无法理解它们(,但无论如何,我不清楚为什么会发生这种情况以及如何完成我想要的。这就是我正在尝试的:
foreach (var keyValue in jObjList[0]) //jObjList is a List<JObject> defined above
{
Console.WriteLine(keyValue.Value.Ancestors());
Console.WriteLine(keyValue.Value.Parent);
if (keyValue.Value.GetType() == typeof(JObject))//same block goes for if it's typeof(JArray)
{
Console.WriteLine(keyValue.Key);
}
}
编辑:在给定的 JSON 中,以及在上面定义的循环中,例如,为了获取我的父键(这就是我所说的(,我的代码只是说,if (keyValue.Value.GetType() == typeof(JObject)
,将keyValue.Key
写入控制台,如果 getType(( 是 JArray,也是如此。无论哪种情况,keyValue.Key
都是父键(如果有意义的话(。我的意思是说,它是一个指向另一个数组或对象的属性。我的问题是,当我递归地执行此循环时,当我进入嵌套数组或对象时,我的代码无法意识到这一点,尽管当前有一个新的"父键",例如nestedArr
,nestedArr 的父键仍然是"parentKey"。
代码是删节的,但这就是想法。
欢迎和赞赏所有澄清和更正。谢谢。
您看到Console.WriteLine(keyValue.Value.Ancestors())
的Newtonsoft.Json.Linq.JToken+<GetAncestors>d_ _ 42
Ancestors
因为它是一个评估是懒惰的IEnumerable<T>
,而不是显式集合。 您看到的是尚未评估的可枚举项的ToString()
输出。
如果你想做的是爬上给定JToken
的父列表,找到具有"parentKey"
属性的最低父级,然后获取该parentKey
的值,那么这就是你会这样做的方法:
JToken token = keyValue.Value; // Here I'm declaring JToken explicitly for clarity. Normally I would use var token = ...
var parentKey = token.AncestorsAndSelf() // Climb up the json container parent/child hierachy
.Select(p => p.SelectToken("parentKey")) // Get the "parentKey" property in the current parent (if present)
.FirstOrDefault(k => k != null); // Return the first one found.
Console.WriteLine(parentKey);
更新
若要获取 JSON 容器层次结构中最高的 JSON 属性的名称,请执行以下操作:
var name = token.AncestorsAndSelf() // Walk up the list of ancestors
.OfType<JProperty>() // For each that is a property
.Select(p => p.Name) // Select the name
.LastOrDefault(); // And return the last (topmost).
更新 2
如果要查找 JSON 文件中显示的第一个属性名称,可以使用 JContainer.DescendantsAndSelf()
执行以下操作:
var json = @"[{""parentKey"":
{
""Name"": ""Name"",
""Id"": ""123"",
""Other"": null,
""nestedArr"":
[
""idx0"",
""idx1"",
""idx2""
]
}
}]";
var root = (JContainer)JToken.Parse(json);
var name = root.DescendantsAndSelf() // Loop through tokens in or under the root container, in document order.
.OfType<JProperty>() // For those which are properties
.Select(p => p.Name) // Select the name
.FirstOrDefault(); // And take the first.
Debug.WriteLine(name); // Prints "parentKey"
(JContainer
表示可以包含子节点(如对象或数组(的 JSON 节点。