检查 JObject 中的空 JToken 或空 JToken

我有以下..。

JArray clients = (JArray)clientsParsed["objects"];


foreach (JObject item in clients.Children())
{
// etc.. SQL params stuff...
command.Parameters["@MyParameter"].Value = JTokenToSql(item["thisParameter"]);
}

JTokenToSql looks like this...

public static object JTokenToSql(JToken obj)
{
if (obj.Any())
return (object)obj;
else
return (object)DBNull.Value;
}

我也试过 ((JObject)obj).Count. . 但似乎没有工作。

176716 次浏览

要检查 JObject上是否存在属性,可以使用方括号语法并查看结果是否为空。如果该属性存在,将始终返回 JToken(即使它在 JSON 中具有值 null)。

JToken token = jObject["param"];
if (token != null)
{
// the "param" property exists
}

如果你有一个 JToken在手,你想看看它是否是非空的,那么,这取决于它是什么类型的 JToken,以及你如何定义“空”。我通常使用这样的扩展方法:

public static class JsonExtensions
{
public static bool IsNullOrEmpty(this JToken token)
{
return (token == null) ||
(token.Type == JTokenType.Array && !token.HasValues) ||
(token.Type == JTokenType.Object && !token.HasValues) ||
(token.Type == JTokenType.String && token.ToString() == String.Empty) ||
(token.Type == JTokenType.Null);
}
}

You can proceed as follows to check whether a JToken Value is null

JToken token = jObject["key"];


if(token.Type == JTokenType.Null)
{
// Do your logic
}

在 C # 7中,您还可以使用以下命令:

if (clientsParsed["objects"] is JArray clients)
{
foreach (JObject item in clients.Children())
{
if (item["thisParameter"] as JToken itemToken)
{
command.Parameters["@MyParameter"].Value = JTokenToSql(itemToken);
}
}
}

The is Operator checks the Type and if its corrects the Value is inside the clients variable.

There is also a type - JTokenType.Undefined.

这张支票必须包含在@Brian Rogers 的回答中。

token.Type == JTokenType.Undefined

Try something like this to convert JToken to JArray:

static public JArray convertToJArray(JToken obj)
{
// if ((obj).Type == JTokenType.Null) --> You can check if it's null here


if ((obj).Type == JTokenType.Array)
return (JArray)(obj);
else
return new JArray(); // this will return an empty JArray
}

您现在可以在 C # 6 + 中尝试直接访问 空条件访问运算符 ?[]

    foreach (JObject item in clients.Children())
{
// value will be null if access fails
var value = (string)item?["thisParameter"]?["anotherNode"]?["oneMoreNestedNode"];
}