我在域中有三个类
public class ArtistInfo
{
private Guid Id { get; set; }
public string Name { get; set; }
public string DisplayName { get; set; }
public bool IsGroup { get; set; }
public bool IsActive { get; set; }
public string Country { get; set; }
}
public class Artist : ArtistInfo
{
public DateTime Created { get; set; }
public int CreatedById { get; set; }
public DateTime Updated { get; set; }
public int UpdatedById { get; set; }
}
public class Track
{
public string Title { get; set; }
public string DisplayTitle { get; set; }
public int Year { get; set; }
public int Duration { get; set; }
public int? TrackNumber { get; set; }
//[SomeJsonAttribute]
public ArtistInfo Artist { get; set; }
}
从ASP.NET Web API我返回一个通用List(Tracks)。无论我尝试过什么,Web API都会将Track的Artist属性作为Artist而不是ArtistInfo返回。有没有办法在API的输出中限制这个只使用ArtistInfo?我不想写另外的“ViewModels / DTOs”来处理这种情况。我可以通过提示JSON Serializer来装饰ArtistInfo吗?
答案 0 :(得分:1)
获得所需结果的一种方法是使用可以限制序列化属性集的自定义JsonConverter
。这是一个只序列化基类型T
的属性:
public class BaseTypeConverter<T> : JsonConverter
{
public override bool CanConvert(Type objectType)
{
return typeof(T).IsAssignableFrom(objectType);
}
public override void WriteJson(JsonWriter writer, object value, JsonSerializer serializer)
{
JObject obj = new JObject();
foreach (PropertyInfo prop in typeof(T).GetProperties())
{
if (prop.CanRead)
{
obj.Add(prop.Name, JToken.FromObject(prop.GetValue(value)));
}
}
obj.WriteTo(writer);
}
public override bool CanRead
{
get { return false; }
}
public override object ReadJson(JsonReader reader, Type objectType, object existingValue, JsonSerializer serializer)
{
throw new NotImplementedException();
}
}
要使用转换器,请使用Artist
属性标记Track
类中的[JsonConverter]
属性,如下所示。然后,只会序列化ArtistInfo
的{{1}}属性。
Artist
答案 1 :(得分:0)
虽然布莱恩罗杰斯的答案是合适的。但是如果你需要一个快速的解决方案而不是[JsonIgnore]属性会派上用场。
public class Artist : ArtistInfo
{
[JsonIgnore]
public DateTime Created { get; set; }
[JsonIgnore]
public int CreatedById { get; set; }
[JsonIgnore]
public DateTime Updated { get; set; }
[JsonIgnore]
public int UpdatedById { get; set; }
}
结帐Demo Here。我更新了Brian的代码。