If you're using the DataContractSerializer
(or, in this case, the DataContractJsonSerializer
), you can use the DataMember(EmitDefaultValue = false)]
decoration in your class. This way, you can set the properties which you don't want serialized to their default values (i.e., null
for strings, 0 for ints and so on), and they won't be.
If you're using the ASP.NET Web API, then you should be aware that the default JSON serializer isn't the DataContractJsonSerializer
(DCJS), but JSON.NET instead. So unless you explicitly configure your JsonMediaTypeFormatter
to use DCJS, you need another attribute to get the same behavior (JsonProperty
, and its DefaultValueHandling
property).
The code below only serializes the two members which were assigned in this Car object, using both serializers. Notice that you can remove one of the attributes if you're only going to use one of them.
public class StackOverflow_12465285
{
[DataContract]
public class Car
{
private int savedId;
private string savedYear;
private string savedMake;
private string savedModel;
private string savedColor;
[DataMember(EmitDefaultValue = false)]
[JsonProperty(DefaultValueHandling = DefaultValueHandling.Ignore)]
public int Id { get; set; }
[DataMember(EmitDefaultValue = false)]
[JsonProperty(DefaultValueHandling = DefaultValueHandling.Ignore)]
public string Year { get; set; }
[DataMember(EmitDefaultValue = false)]
[JsonProperty(DefaultValueHandling = DefaultValueHandling.Ignore)]
public string Make { get; set; }
[DataMember(EmitDefaultValue = false)]
[JsonProperty(DefaultValueHandling = DefaultValueHandling.Ignore)]
public string Model { get; set; }
[DataMember(EmitDefaultValue = false)]
[JsonProperty(DefaultValueHandling = DefaultValueHandling.Ignore)]
public string Color { get; set; }
[OnSerializing]
void OnSerializing(StreamingContext ctx)
{
this.savedId = this.Id;
this.savedYear = this.Year;
this.savedMake = this.Make;
this.savedModel = this.Model;
this.savedColor = this.Color;
// Logic to determine which ones to serialize, let's say I only want Id, Make; so make all others default.
this.Color = default(string);
this.Model = default(string);
this.Year = default(string);
}
[OnSerialized]
void OnSerialized(StreamingContext ctx)
{
this.Id = this.savedId;
this.Year = this.savedYear;
this.Make = this.savedMake;
this.Model = this.savedModel;
this.Color = this.savedColor;
}
}
public static void Test()
{
Car car = new Car { Id = 12345, Make = "Ford", Model = "Focus", Color = "Red", Year = "2010" };
JsonSerializer js = new JsonSerializer();
StringBuilder sb = new StringBuilder();
StringWriter sw = new StringWriter(sb);
js.Serialize(sw, car);
Console.WriteLine("Using JSON.NET: {0}", sb.ToString());
MemoryStream ms = new MemoryStream();
DataContractJsonSerializer dcjs = new DataContractJsonSerializer(typeof(Car));
dcjs.WriteObject(ms, car);
Console.WriteLine("Using DCJS: {0}", Encoding.UTF8.GetString(ms.ToArray()));
}
}