1 回答
TA贡献1966条经验 获得超4个赞
除了修改 Json.Net 源代码之外,我无法直接控制SelectTokens()返回结果的顺序。它似乎使用广度优先排序。
SelectTokens()您可以将 LINQ-to-JSON 查询与该Descendants()方法一起使用,而不是使用。这将按深度优先顺序返回令牌。但是,您需要过滤掉您不感兴趣的属性名称,例如“文件”和“大小”。
string json = @"
{
""Files"": {
""dir1"": {
""Files"": {
""file1.1.txt"": { ""size"": 100 },
""file1.2.txt"": { ""size"": 100 }
}
},
""dir2"": {
""Files"": {
""file2.1.txt"": { ""size"": 100 },
""file2.2.txt"": { ""size"": 100 }
}
},
""file3.txt"": { ""size"": 100 }
}
}";
JObject jo = JObject.Parse(json);
var files = jo.Descendants()
.OfType<JProperty>()
.Select(p => p.Name)
.Where(n => n != "Files" && n != "size")
.ToArray();
Console.WriteLine(string.Join("\n", files));
小提琴:https : //dotnetfiddle.net/yRAev4
如果您不喜欢这个想法,另一种可能的解决方案是使用自定义IComparer<T>在事后将所选属性排序回其原始文档顺序:
class JPropertyDocumentOrderComparer : IComparer<JProperty>
{
public int Compare(JProperty x, JProperty y)
{
var xa = GetAncestors(x);
var ya = GetAncestors(y);
for (int i = 0; i < xa.Count && i < ya.Count; i++)
{
if (!ReferenceEquals(xa[i], ya[i]))
{
return IndexInParent(xa[i]) - IndexInParent(ya[i]);
}
}
return xa.Count - ya.Count;
}
private List<JProperty> GetAncestors(JProperty prop)
{
return prop.AncestorsAndSelf().OfType<JProperty>().Reverse().ToList();
}
private int IndexInParent(JProperty prop)
{
int i = 0;
var parent = (JObject)prop.Parent;
foreach (JProperty p in parent.Properties())
{
if (ReferenceEquals(p, prop)) return i;
i++;
}
return -1;
}
}
像这样使用比较器:
JObject jo = JObject.Parse(json);
var files = jo.SelectTokens("$..Files")
.OfType<JObject>()
.SelectMany(j => j.Properties())
.OrderBy(p => p, new JPropertyDocumentOrderComparer())
.Select(p => p.Name)
.ToArray();
Console.WriteLine(string.Join("\n", files));
小提琴:https : //dotnetfiddle.net/xhx7Kk
- 1 回答
- 0 关注
- 205 浏览
添加回答
举报