我正在尝试动态查找其结构事先未知的 JSON 对象的叶节点的名称。首先,我将字符串解析为 JToken 列表,如下所示:

        string req = @"{'creationRequestId':'A',
                        'value':{
                            'amount':1.0,
                            'currencyCode':'USD'
                        }
                        }";
        var tokens = JToken.Parse(req);

然后我想确定哪些是叶子。在上面的示例中, 'creationRequestId':'A''amount':1.0'currencyCode':'USD' 是叶子,名称是 creationRequestIdamountcurrencyCode

尝试有效,但有点丑

下面的示例递归遍历 JSON 树并打印叶子名称:
    public static void PrintLeafNames(IEnumerable<JToken> tokens)
    {
        foreach (var token in tokens)
        {
            bool isLeaf = token.Children().Count() == 1 && !token.Children().First().Children().Any();
            if (token.Type == JTokenType.Property && isLeaf)
            {
                Console.WriteLine(((JProperty)token).Name);
            }

            if (token.Children().Any())
                PrintLeafNames(token.Children<JToken>());
        }
    }

这有效,打印:
creationRequestId
amount
currencyCode

但是,我想知道是否有一个不那么难看的表达式来确定 JToken 是否是叶子:
bool isLeaf = token.Children().Count() == 1 && !token.Children().First().Children().Any();

Incidentally, this is a one-liner in XML.

最佳答案

看起来您已将叶子定义为任何值没有任何子值的 JProperty。您可以使用 HasValues 上的 JToken 属性来帮助做出此决定:

public static void PrintLeafNames(IEnumerable<JToken> tokens)
{
    foreach (var token in tokens)
    {
        if (token.Type == JTokenType.Property)
        {
            JProperty prop = (JProperty)token;
            if (!prop.Value.HasValues)
                Console.WriteLine(prop.Name);
        }
        if (token.HasValues)
            PrintLeafNames(token.Children());
    }
}

fiddle :https://dotnetfiddle.net/e216YS

关于c# - 判断 JToken 是否是叶子,我们在Stack Overflow上找到一个类似的问题:https://stackoverflow.com/questions/34457571/

10-13 06:07