I would like to pass a parameter to the Json converter at the time of deserialization. At the same time, I would like the converter to execute only for the properties indicated by the attribute.
public class Contract
{
[JsonConverter(typeof(MyJsonConverter))]
public string Property { get; set; }
}
string parameter = "value";
var jsonSerializerSettings = new JsonSerializerSettings
{
Converters = { new MyJsonConverter(parameter) },
};
var contract = JsonConvert.DeserializeObject<Contract>(json, jsonSerializerSettings);
public class MyJsonConverter : JsonConverter
{
private readonly string _parameter;
public MyJsonConverter(string parameter)
{
_parameter = parameter;
}
public override bool CanConvert(Type objectType)
{
//
}
public override object? ReadJson(JsonReader reader, Type objectType, object? existingValue, JsonSerializer serializer)
{
// use _parameter here
}
public override void WriteJson(JsonWriter writer, object? value, JsonSerializer serializer)
{
//
}
}
I know that the JsonConverter attribute accepts parameters for the converter, but then I would have to add one parameter to the Contract class permanently.
[JsonConverter(typeof(MyJsonConverter), <parameters>)]
I would like the parameters to be dynamically provided at the time of deserialization - how do I achieve this?
You can use
StreamingContext.Context
fromJsonSerializerSettings.Context
to pass data into a JsonConverter.First, define the following interface and classes to cache data, keyed by
System.Type
, inside aStreamingContext
:Then rewrite
MyConverter
as follows:And you will be able to deserialize as follows:
Notes:
StreamingContext
is keyed by type so that multiple converters could access cached data inside without interfering with each other. The type used should be the converter type, not the property type.Demo fiddle #1 here.
Honestly though I don't recommend this design.
StreamingContext
is unfamiliar to current .NET programmers (it's a holdover from binary serialization) and it feels completely surprising to use it to pass data deep down into someJsonConverter.ReadJson()
method.As an alternative, you might consider creating a custom contract resolver that replaces the default
MyJsonConverter
applied at compile time with a different instance that has the required parameters.First, define the following contract resolver:
Then modify
MyJsonConverter
so it has a default constructor with a default value for_parameter
:And now you will be able to deserialize as follows:
Demo fiddle #2 here.