I have a class that contains a List<Tuple<int, int, int>>
property whose default constructor allocates the list and fills it with some default values, for instance:
public class Configuration
{
public List<Tuple<int, int, int>> MyThreeTuple { get; set; }
public Configuration()
{
MyThreeTuple = new List<Tuple<int, int, int>>();
MyThreeTuple.Add(new Tuple<int, int, int>(-100, 20, 501));
MyThreeTuple.Add(new Tuple<int, int, int>(100, 20, 864));
MyThreeTuple.Add(new Tuple<int, int, int>(500, 20, 1286));
}
}
When I deserialize an instance of this class from JSON using Json.NET, the values from JSON get added to the list rather than replacing the items in the list, causing the list to have too many values. A solution to this problem is given in Json.Net calls property getter during deserialization of list, resulting in duplicate items.
var settings = new JsonSerializerSettings { ObjectCreationHandling = ObjectCreationHandling.Replace };
var config = JsonConvert.DeserializeObject<Configuration>(jsonString, settings);
This causes Json.NET to allocate fresh instances everything being deserialized.
However, this introduces an additional problem: my class exists in a larger object graph, and some of the types in the graph do not have default constructors. They are instead constructed by a constructor in the containing class. If I use ObjectCreationHandling = ObjectCreationHandling.Replace
, Json.NET fails trying to construct instances of these types with the following exception:
Unable to find a constructor to use for the type MySpecialType. A class
should either have a default constructor, one constructor with arguments
or a constructor marked with the JsonConstructor attribute.
How can I apply ObjectCreationHandling.Replace
selectively to certain properties in my object graph, and not others?
See Question&Answers more detail:
os