Property-based type resolution in JSON.NET

前端 未结 1 342
栀梦
栀梦 2020-12-08 11:37

Is it possible to override the type resolution using JSON.NET based on a property of the JSON object? Based on existing APIs, it looks like I need a way of accepting a

相关标签:
1条回答
  • 2020-12-08 12:05

    It would appear that this is handled by creating a custom JsonConverter and adding it to JsonSerializerSettings.Converters before deserialisation.

    nonplus has left a handy sample on the JSON.NET discussions board on Codeplex. I've modified the sample to return custom Type and deferring to the default creation mechanism, rather than creating the object instance on the spot.

    abstract class JsonCreationConverter<T> : JsonConverter
    {
        /// <summary>
        /// Create an instance of objectType, based properties in the JSON object
        /// </summary>
        protected abstract Type GetType(Type objectType, JObject jObject);
    
        public override bool CanConvert(Type objectType)
        {
            return typeof(T).IsAssignableFrom(objectType);
        }
    
        public override object ReadJson(JsonReader reader, Type objectType, 
            object existingValue, JsonSerializer serializer)
        {
            JObject jObject = JObject.Load(reader);
    
            Type targetType = GetType(objectType, jObject);
    
            // TODO: Change this to the Json.Net-built-in way of creating instances
            object target = Activator.CreateInstance(targetType);
    
            serializer.Populate(jObject.CreateReader(), target);
    
            return target;
        }
    }
    

    And here is the example usage (also updated as mentioned above):

    class VehicleConverter : JsonCreationConverter<Vehicle>
    {
        protected override Type GetType(Type objectType, JObject jObject)
        {
            var type = (string)jObject.Property("Type");
            switch (type)
            {
                case "Car":
                    return typeof(Car);
                case "Bike":
                    return typeof(Bike);
            }
    
            throw new ApplicationException(String.Format(
                "The given vehicle type {0} is not supported!", type));
        }
    }
    
    0 讨论(0)
提交回复
热议问题