Unity解析JSON的几种方式
使用JsonUtility(Unity自带)解析数据
json实体类
[Serializable] //序列化
public class Root
{
/// <summary>
/// 是否还有下一页,返回值:true、false;如果不分页,不用关注该字段
/// </summary>
public bool has_more;
/// <summary>
/// 唯一的log id,用于问题定位
/// </summary>
public int log_id;
/// <summary>
/// 返回结果数量
/// </summary>
public int result_num;
/// <summary>
/// 结果对象
/// </summary>
public List<Result> result;
}
[Serializable] //序列化
public class Result
{
/// <summary>
/// 返回的图片的介绍
/// </summary>
public string brief;
/// <summary>
/// 返回图片的相似程度
/// </summary>
public Double score;
/// <summary>
/// 图片签名,可以用来删除图片或定位问题
/// </summary>
public string cont_sign;
}
解析方法的代码:
//用于测试的json数据
private static string json = "{\"has_more\": true, \"log_id\": 762076831, \"result_num\": 2, \"result\": [{\"brief\": \"窗帘打开\", \"score\": 1, \"cont_sign\": \"3462085514,3588976364\"}, {\"brief\": \"窗帘\", \"score\": 0.83868205547333, \"cont_sign\": \"2499474566,160859837\"}]}";
#region 使用Unity自带的JsonUtility
public static void ReturnJsonDataByJsonUtility()
{
//Root root = new Root();
print("当前传入的json" + json);
Root root = JsonUtility.FromJson<Root>(json);
print("当前解析的数据:" + root.has_more);
print("当前解析的数据:" + root.log_id);
print("当前解析的数据:" + root.result[0].brief);
}
#endregion
结果:
注意事项(踩过的坑!!!):
- 用于接收的JSON实体类需要声明
[Serializable]
序列化。 - 使用Unity自带方法时,实体类如果是属性成员(
public bool has_more{get;set;}
)的话,在序列化的时候会缺失这些成员,导致解析不出来。将属性改为字段即可
。 - 如何解析的对象是数组,自带的不能成功解析,可以人为将其封装为JSON对象。
JSON数组(自带的功能不能解析):
[{"brief": "窗帘打开", "score": 1, "cont_sign": "3462085514,3588976364"}, {"brief": "窗帘", "score": 0.83868205547333, "cont_sign": "2499474566,160859837"}]
改变为对象:
{"result": [{"brief": "窗帘打开", "score": 1, "cont_sign": "3462085514,3588976364"}, {"brief": "窗帘", "score": 0.83868205547333, "cont_sign": "2499474566,160859837"}]}
使用ListJson解析JSON数据
下载地址 提取码:qzw3
也是需要声明实体类进行接收,但是类可以不用声明[Serializable]
实体类跟上面的一样这里不再写出来
解析的方法:
public static void ReturnJsonDataByLitJson()
{
Root root = JsonMapper.ToObject<Root>(json);
print("当前解析的数据:" + root.has_more);
print("当前解析的数据:" + root.log_id);
print("当前解析的数据:" + root.result[0].brief);
}
结果:
注意点:
- 用于接收的实体类不需要声明
[Serializable]
。 - 用于接收的实例类可以是字段,也可以是属性,二者均可以成功解析。
- 也需要声明用于接受JSON数据实体类。
- 可以解析JSON对象,也可以解析JSON数组。
使用Newtonsoft解析数据
下载地址 提取码:082v
#region 使用Newtonsoft解析JSON数据
public static void ReturnJSONByNewtonsoft()
{
Root root = JsonConvert.DeserializeObject<Root>(json);
print("当前解析的数据:" + root.has_more);
print("当前解析的数据:" + root.log_id);
print("当前解析的数据:" + root.result[0].brief);
}
#endregion
结果为:
如有哪里说的不对的地方,欢迎大家指点。