我可以使用JSON.Net将具有不同名称的JSON属性读入我的类的特定属性吗?

时间:2015-08-18 23:24:15

标签: c# json json.net json-deserialization

我有一个令人讨厌的难题,我从API返回多种类型,它们之间的唯一区别是属性名称。一种类型的int为Count,另一种类型的int为Customers,另一种类型的int为Replies

类示例:

public class DateAndCount
{
    public DateTime? Date { get; set; }
    public int Count { get; set; }
}

public class DateAndCount
{
    public DateTime? Date { get; set; }
    public int Customers { get; set; }
}

public class DateAndCount
{
    public DateTime? Date { get; set; }
    public int Replies { get; set; }
}

JSON示例:

{
  "count": 40,
  "date": "2014-01-01T00:00:00Z"
},

{
  "customers": 40,
  "date": "2014-01-01T00:00:00Z"
},

{
  "replies": 40,
  "date": "2014-01-01T00:00:00Z"
},

我可以以某种方式让序列化程序将任何属性名称反序列化为Count属性,而不必创建3个几乎相同的类。

1 个答案:

答案 0 :(得分:1)

你可以制作一个简单的JsonConverter来处理这个问题:

class DateAndCountConverter : JsonConverter
{
    public override bool CanConvert(Type objectType)
    {
        return (objectType == typeof(DateAndCount));
    }

    public override object ReadJson(JsonReader reader, Type objectType, object existingValue, JsonSerializer serializer)
    {
        JObject jo = JObject.Load(reader);
        DateAndCount dac = new DateAndCount();
        dac.Date = (DateTime?)jo["Date"];
        // put the value of the first integer property from the JSON into Count
        dac.Count = (int)jo.Properties().First(p => p.Value.Type == JTokenType.Integer).Value;
        return dac;
    }

    public override bool CanWrite
    {
        get { return false; }
    }

    public override void WriteJson(JsonWriter writer, object value, JsonSerializer serializer)
    {
        throw new NotImplementedException();
    }
}

要使用它,请使用DateAndCount属性装饰[JsonConverter]类,将转换器绑定到您的类,并照常反序列化。这是一个演示:

class Program
{
    static void Main(string[] args)
    {
        ParseAndDump(@"{ ""Date"" : ""2015-08-22T19:02:42Z"", ""Count"" : 40 }");
        ParseAndDump(@"{ ""Date"" : ""2015-08-20T15:55:04Z"", ""Customers"" : 26 }");
        ParseAndDump(@"{ ""Date"" : ""2015-08-21T10:17:31Z"", ""Replies"" : 35 }");
    }

    private static void ParseAndDump(string json)
    {
        DateAndCount dac = JsonConvert.DeserializeObject<DateAndCount>(json);
        Console.WriteLine("Date: " + dac.Date);
        Console.WriteLine("Count: " + dac.Count);
        Console.WriteLine();
    }
}

[JsonConverter(typeof(DateAndCountConverter))]
class DateAndCount
{
    public DateTime? Date { get; set; }
    public int Count { get; set; }
}

输出:

Date: 8/22/2015 7:02:42 PM
Count: 40

Date: 8/20/2015 3:55:04 PM
Count: 26

Date: 8/21/2015 10:17:31 AM
Count: 35