When serializing arbitrary data via JSON.NET, any property that is null is written to the JSON as
"propertyName" : null
This is correct, of course.
However I have a requirement to automatically translate all nulls into the default empty value, e.g. null string
s should become String.Empty
, null int?
s should become 0
, null bool?
s should be false
, and so on.
NullValueHandling
is not helpful, since I dont want to Ignore
nulls, but neither do I want to Include
them (Hmm, new feature?).
So I turned to implementing a custom JsonConverter
.
While the implementation itself was a breeze, unfortunately this still didnt work - CanConvert()
is never called for a property that has a null value, and therefore WriteJson()
is not called either. Apparently nulls are automatically serialized directly into null
, without the custom pipeline.
For example, here is a sample of a custom converter for null strings:
public class StringConverter : JsonConverter
{
public override bool CanConvert(Type objectType)
{
return typeof(string).IsAssignableFrom(objectType);
}
...
public override void WriteJson(JsonWriter writer,
object value,
JsonSerializer serializer)
{
string strValue = value as string;
if (strValue == null)
{
writer.WriteValue(String.Empty);
}
else
{
writer.WriteValue(strValue);
}
}
}
Stepping through this in the debugger, I noted that neither of these methods are called for properties that have a null value.
Delving into JSON.NET's sourcecode, I found that (apparently, I didnt go into a lot of depth) there is a special case checking for nulls, and explictly calling .WriteNull()
.
For what it's worth, I did try implementing a custom JsonTextWriter
and overriding the default .WriteNull()
implementation...
public class NullJsonWriter : JsonTextWriter
{
...
public override void WriteNull()
{
this.WriteValue(String.Empty);
}
}
However, this can't work well, since the WriteNull()
method knows nothing about the underlying datatype. So sure, I can output ""
for any null, but that doesnt work well for e.g. int, bool, etc.
So, my question - short of converting the entire data structure manually, is there any solution or workaround for this?
WriteNull()
method is called internally within the JSON serialization process and you can't determine which value you are currently serializing? – Krummhornif(value==null)
is pretty much the first case :( – GuimarJsonConverter<T>.HandleNull
now enables a custom converter to handle null... 🤦♀️ – Miry