Gre*_*reg 4 c# asp.net json json.net deserialization
我试图以这种格式反序列化JSON:
{
"data": [
{
"installed": 1,
"user_likes": 1,
"user_education_history": 1,
"friends_education_history": 1,
"bookmarked": 1
}
]
}
Run Code Online (Sandbox Code Playgroud)
到这样一个简单的字符串数组:
{
"installed",
"user_likes",
"user_education_history",
"friends_education_history",
"bookmarked"
}
Run Code Online (Sandbox Code Playgroud)
运用 JSON.NET 4.0
我已经使用`CustomCreationConverter'工作了
public class ListConverter : CustomCreationConverter<List<string>>
{
public override List<string> Create(Type objectType)
{
return new List<string>();
}
public override object ReadJson(JsonReader reader, Type objectType, object existingValue, JsonSerializer serializer)
{
var lst = new List<string>();
//don't care about the inital 'data' element
reader.Read();
while (reader.Read())
{
if (reader.TokenType == JsonToken.PropertyName)
{
lst.Add(reader.Value.ToString());
}
}
return lst;
}
}
Run Code Online (Sandbox Code Playgroud)
但这真的有点矫枉过正,特别是如果我想为许多不同的json响应创建一个.
我尝试过使用,JObject
但似乎我做得不对:
List<string> lst = new List<string>();
JObject j = JObject.Parse(json_string);
foreach (JProperty p in j.SelectToken("data").Children().Children())
{
lst.Add(p.Name);
}
Run Code Online (Sandbox Code Playgroud)
有一个更好的方法吗?
有很多方法可以做到这一点,你有什么是好的.其他一些替代方案如下所示:
用于SelectToken
通过一次调用转到第一个数组元素
string json = @"{
""data"": [
{
""installed"": 1,
""user_likes"": 1,
""user_education_history"": 1,
""friends_education_history"": 1,
""bookmarked"": 1
}
]
}";
JObject j = JObject.Parse(json);
// Directly traversing the graph
var lst = j["data"][0].Select(jp => ((JProperty)jp).Name).ToList();
Console.WriteLine(string.Join("--", lst));
// Using SelectToken
lst = j.SelectToken("data[0]").Children<JProperty>().Select(p => p.Name).ToList();
Console.WriteLine(string.Join("--", lst));
Run Code Online (Sandbox Code Playgroud)