我在Unity引擎中使用JSONUtility练习JSON反序列化。当属性为string时,通过stackoverflow(Link)解决了一些使用POCO类的示例。我解决了以下JSON。Link使用POCO类中的确切名称。但是当JSON属性包含如下整数时。
{
"1": {
"Armor": 1,
"Strenght": 1
},
"0": {
"Armor": 1,
"Mana": 2,
"Strenght": 1,
"Health": 1,
"Power": 1
}
}
以类似的方式解决问题并没有解决。根据我得到的反馈,我必须使用字典。
IEnumerator GetExampleValues()
{
string URLss = "http://www.json-generator.com/api/json/get/bOQGnptixu?indent=2";
WWW readjson = new WWW(URLss);
yield return readjson;
Debug.Log("ReadJSON"+readjson.text);
}
我下面的POCO课
using System.Collections.Generic;
[System.Serializable]
public class Exampleget
{
public int Power;
public int Mana;
public int Strenght;
public int Armor;
public int Health;
}
public class GetNumbers
{
public List<Exampleget> onevalues;
}
答案 0 :(得分:0)
一种解决方法是使用JsonExtensionData属性
public class Exampleget
{
public int Power;
public int Mana;
public int Strenght;
public int Armor;
public int Health;
}
public class GetNumbers
{
[JsonExtensionData]
public Dictionary<string,dynamic> Values;
}
有了班级,现在您可以了,
var str = @"{
'1': {
'Armor': 1,
'Strenght': 1
},
'0': {
'Armor': 1,
'Mana': 2,
'Strenght': 1,
'Health': 1,
'Power': 1
}
}";
var result = JsonConvert.DeserializeObject<GetNumbers>(str);
foreach(var item in result.Values)
{
Console.WriteLine($"For Key {item.Key},Power = {item.Value.Power}, Mana = {item.Value.Mana}, Armor = {item.Value.Armor}, Health = {item.Value.Health}");
}
输出
For Key 1,Power = , Mana = , Armor = 1, Health =
For Key 0,Power = 1, Mana = 2, Armor = 1, Health = 1
更新
如果您希望将Dictionary设置为Dictionary<string,Exampleget>
而不是使用dynamic,则可以利用附加属性来转换为Exampleget。但这要付出额外的序列化/反序列化的代价,因此除非您有充分的理由坚持使用,否则不建议这样做。
public class GetNumbers
{
[JsonExtensionData]
public Dictionary<string,object> Values;
[JsonIgnore]
public Dictionary<string,Exampleget> ExamplegetDictionary=> Values.Select(x=>new KeyValuePair<string,Exampleget>(x.Key, ((object)x.Value).Cast<Exampleget>()))
.ToDictionary(x=>x.Key,y=>y.Value);
}
public static class Extension
{
public static T Cast<T>(this object value)
{
var jsonData = JsonConvert.SerializeObject(value);
return JsonConvert.DeserializeObject<T>(jsonData);
}
}