拥有以下代码
var TermSource =
token.Value<JArray>("annotations")
.Values<string>("Term Source")
.FirstOrDefault();
我能够获得以下JSON块的结果
"annotations": [
{
"Preferred Term": "Text1"
},
{
"Term Source": "Text2"
}
],
但是,在运行以下行时
var country_code_iso3166_alpha2 =
token.Value<JArray>("datatype_properties")
.Values<string>("country_code_iso3166_alpha2")
.FirstOrDefault();
用于以下JSON块
"datatype_properties": {
"country_name_iso3166_short": [
"Text Text"
],
"country_code_iso3166_alpha2": [
"txt1"
],
"country_code_iso3166_alpha3": [
"txt2"
],
"country_code_un_numeric3": [
"10"
]
我收到以下错误
'无法将Newtonsoft.Json.Linq.JObject投射到Newtonsoft.Json.Linq.JToken'
如何修复LINQ语句以检索'country_code_iso3166_alpha2'数据的值
答案 0 :(得分:0)
您正在尝试访问datatype_properties
,就像它是一个数组一样。它不是 - 它是另一个具有属性country_code_iso3166_alpha3
的对象,它具有数组值。
您可以使用Value
类型参数调用JObject
方法来获取对象,然后再使用Value
类型参数调用JArray
来获取数组。这是一个简短而完整的例子:
using System;
using System.Linq;
using Newtonsoft.Json.Linq;
class Test
{
static void Main()
{
string json = @"{
'datatype_properties': {
'country_name_iso3166_short': [
'Text Text'
]
}
}".Replace("'", "\"");
JObject parent = JObject.Parse(json);
string countryName = parent["datatype_properties"]
.Value<JArray>("country_name_iso3166_short")
.Values<string>()
.FirstOrDefault();
Console.WriteLine(countryName);
}
}