Json.NET custom serialization with JsonConverter - how to get the “default” behavior

前端 未结 1 1402
长发绾君心
长发绾君心 2020-12-01 18:38

I have a JsonConverter for my class DataType. I would like to do some special handling when plain string used in Json as the value of a property of type DataType. In the ca

相关标签:
1条回答
  • 2020-12-01 19:23

    One easy way to do it is to allocate an instance of your class then use JsonSerializer.Populate(JsonReader, Object). This is the way it is done in the standard CustomCreationConverter<T>:

    public override object ReadJson(JsonReader reader, Type objectType, object existingValue, JsonSerializer serializer)
    {
        if (reader.Value != null && reader.ValueType == typeof(string))
        {
            return someSpecialDataTypeInstance;
        }
        else if (reader.TokenType == JsonToken.StartObject)
        {
            existingValue = existingValue ?? serializer.ContractResolver.ResolveContract(objectType).DefaultCreator();
            serializer.Populate(reader, existingValue);
            return existingValue;
        }
        else if (reader.TokenType == JsonToken.Null)
        {
            return null;
        }
        else
        {
            throw new JsonSerializationException();
        }
    }
    

    Limitations:

    • This does not handle situations when TypeNameHandling has been enabled and a "$type" property is present specifying a polymorphic subtype.

      In this case you'll need to do some of the tricks use by JsonDerivedTypeConverer<T> in JsonConverter with Interface.

    • The type to be deserialized must have a parameterless constructor accessible to Json.NET. If not, and existingValue is null, it will be necessary to construct it manually, via new DataType(arg1, arg2, ...).

    • Reference preservation via PreserveReferencesHandling is not supported.

      For one approach to handle this situation see How can I choose what type to deserialize at runtime based on the structure of the json?.

    Sample fiddle.

    0 讨论(0)
提交回复
热议问题