无法将JSON数组反序列化为类型-Json.NET
我正在尝试将json数据反序列化为模型类,但是失败了。这是我的工作:
public CountryModel GetCountries() { using (WebClient client = new WebClient()) {
var result = client.DownloadString("http://api.worldbank.org/incomeLevels/LIC/countries?format=json");
var output = JsonConvert.DeserializeObject<List<CountryModel>>(result);
return output.First();
}
}
这是我的模型的样子:
public class CountryModel{
public int Page { get; set; }
public int Pages { get; set; }
public int Per_Page { get; set; }
public int Total { get; set; }
public List<Country> Countries { get; set; }
}
public class Country
{
public int Id { get; set; }
public string Iso2Code { get; set; }
public string Name { get; set; }
public Region Region { get; set; }
}
public class Region
{
public int Id { get; set; }
public string Value { get; set; }
}
您可以看到我到达这里的Json:http
:
//api.worldbank.org/incomeLevels/LIC/countries?
format=json
这是我得到的错误:
无法将JSON数组反序列化为“ Mvc4AsyncSample.Models.CountryModel”类型。第1行,位置1。
回答:
您必须编写一个自定义JsonConverter
:
public class CountryModelConverter : JsonConverter {
public override bool CanConvert(Type objectType)
{
if (objectType == typeof(CountryModel))
{
return true;
}
return false;
}
public override object ReadJson(JsonReader reader, Type objectType
, object existingValue, JsonSerializer serializer)
{
reader.Read(); //start array
//reader.Read(); //start object
JObject obj = (JObject)serializer.Deserialize(reader);
//{"page":1,"pages":1,"per_page":"50","total":35}
var model = new CountryModel();
model.Page = Convert.ToInt32(((JValue)obj["page"]).Value);
model.Pages = Convert.ToInt32(((JValue)obj["pages"]).Value);
model.Per_Page = Int32.Parse((string) ((JValue)obj["per_page"]).Value);
model.Total = Convert.ToInt32(((JValue)obj["total"]).Value);
reader.Read(); //end object
model.Countries = serializer.Deserialize<List<Country>>(reader);
reader.Read(); //end array
return model;
}
public override void WriteJson(JsonWriter writer, object value
, JsonSerializer serializer)
{
throw new NotImplementedException();
}
}
并CountryModel
用该转换器标记(我也不得不将其切换int
到string
):
[JsonConverter(typeof(CountryModelConverter))] public class CountryModel
{
public int Page { get; set; }
public int Pages { get; set; }
public int Per_Page { get; set; }
public int Total { get; set; }
public List<Country> Countries { get; set; }
}
public class Country
{
public string Id { get; set; }
public string Iso2Code { get; set; }
public string Name { get; set; }
public Region Region { get; set; }
}
public class Region
{
public string Id { get; set; }
public string Value { get; set; }
}
然后,您应该可以像这样反序列化:
var output = JsonConvert.DeserializeObject<CountryModel>(result);
以上是 无法将JSON数组反序列化为类型-Json.NET 的全部内容, 来源链接: utcz.com/qa/411943.html