Yes, this is pretty much a textbook example of a situation where you would use a JsonConverter
.
Here is what the code would look like:
class StopConverter : JsonConverter
{
public override bool CanConvert(Type objectType)
{
return (objectType == typeof(Stop));
}
public override object ReadJson(JsonReader reader, Type objectType, object existingValue, JsonSerializer serializer)
{
JArray ja = JArray.Load(reader);
Stop stop = new Stop();
stop.Value = (decimal)ja[0];
stop.Color = (string)ja[1];
return stop;
}
public override void WriteJson(JsonWriter writer, object value, JsonSerializer serializer)
{
JArray ja = new JArray();
Stop stop = (Stop)value;
ja.Add(stop.Value);
ja.Add(stop.Color);
ja.WriteTo(writer);
}
}
To use the converter, simply decorate your Stop
class with a [JsonConverter]
attribute like this:
[JsonConverter(typeof(StopConverter))]
public class Stop
{
public decimal Value { get; set; }
public string Color { get; set; }
}
Then, everything should "just work". Here is a round-trip demo:
class Program
{
static void Main(string[] args)
{
string json = @"
{
""stops"":
[
[0.1, ""#55BF3B""],
[0.5, ""#DDDF0D""],
[0.9, ""#DF5353""]
]
}";
RootObject obj = JsonConvert.DeserializeObject<RootObject>(json);
foreach (Stop stop in obj.Stops)
{
Console.WriteLine("Value: " + stop.Value);
Console.WriteLine("Color: " + stop.Color);
Console.WriteLine();
}
json = JsonConvert.SerializeObject(obj, Formatting.Indented);
Console.WriteLine(json);
}
}
class RootObject
{
[JsonProperty("stops")]
public List<Stop> Stops { get; set; }
}
[JsonConverter(typeof(StopConverter))]
public class Stop
{
public decimal Value { get; set; }
public string Color { get; set; }
}
Output:
Value: 0.1
Color: #55BF3B
Value: 0.5
Color: #DDDF0D
Value: 0.9
Color: #DF5353
{
"stops": [
[
0.1,
"#55BF3B"
],
[
0.5,
"#DDDF0D"
],
[
0.9,
"#DF5353"
]
]
}
Fiddle: https://dotnetfiddle.net/6XcY9r
与恶龙缠斗过久,自身亦成为恶龙;凝视深渊过久,深渊将回以凝视…