我很难使用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
是父键。我的意思是它是一个指向另一个Array或Object的属性。我的问题是,当我以递归方式执行此循环时,当我开始使用嵌套数组或对象时,我的代码无法实现,尽管当前有一个新的“父键”,就像{{1例如,nestedArr的父键仍然是“parentKey”。
代码被删节,但这就是主意。
欢迎并赞赏所有澄清和更正。感谢。
答案 0 :(得分:3)
Newtonsoft.Json.Linq.JToken+<GetAncestors>d_ _ 42
您看到了Console.WriteLine(keyValue.Value.Ancestors())
,因为Ancestors
是评估为IEnumerable<T>
的lazy,而非显式集合。您所看到的是尚未评估的可枚举的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节点,例如对象或数组。)