我正在使用JSON.NET将类序列化为JSON。该类包含一个由项目列表组成的属性,我希望以自定义的方式序列化项目本身(通过使用自定义的ContractResolver动态地只包括某些属性)。所以基本上,我想用DefaultContractResolver以标准的方式序列化父类本身,但用我自己的ContractResolver,以自定义的方式序列化这个属性。
JSON.NET有可能允许这样做的方法,但文档相当粗略。如有任何帮助,我们将不胜感激。
我用ContractResolver解决了这个问题。我想要序列化的对象列表是异构的,所以我必须向它传递两个参数,一个是要序列化的属性列表,另一个是属性列表所应用的类型列表。看起来是这样的:
public class DynamicContractResolver : DefaultContractResolver
{
private List<string> mPropertiesToSerialize = null;
private List<string> mItemTypeNames = new List<string>();
public DynamicContractResolver( List<string> propertiesToSerialize,
List<string> itemTypeNames )
{
this.mPropertiesToSerialize = propertiesToSerialize;
this.mItemTypeNames = itemTypeNames;
}
protected override IList<JsonProperty> CreateProperties( Type type, MemberSerialization memberSerialization )
{
IList<JsonProperty> properties = base.CreateProperties( type, memberSerialization );
if( this.mItemTypeNames.Contains( type.Name ) )
properties = properties.Where( p => mPropertiesToSerialize.Contains( p.PropertyName ) ).ToList();
return properties;
}
}
它被称为:
DynamicContractResolver contractResolver = new DynamicContractResolver( propsToSerialize, GetItemTypeNames() );
json = JsonConvert.SerializeObject( this, Formatting.None,
new JsonSerializerSettings { ContractResolver = contractResolver } );
其中GetItemTypeNames()对列表中我要序列化的每个项调用GetType().Name,并将它们分别写入列表。
对不起,我最初的问题含糊其辞,措辞不当,如果有人有更好的解决方案,我当然不会拘泥于这个问题。
这里有一个更好的版本。它将类型名称与属性相关联,因此您可以指定希望在每个级别序列化的属性。字典的关键字是类型名称;该值是要为每种类型序列化的属性的列表。
class PropertyContractResolver : DefaultContractResolver
{
public PropertyContractResolver( Dictionary<string, IEnumerable<string>> propsByType )
{
PropertiesByType = propsByType;
}
protected override IList<JsonProperty> CreateProperties( Type type, MemberSerialization memberSerialization )
{
IList<JsonProperty> properties = base.CreateProperties( type, memberSerialization );
if( this.PropertiesByType.ContainsKey( type.Name ) )
{
IEnumerable<string> propsToSerialize = this.PropertiesByType[ type.Name ];
properties = properties.Where( p => propsToSerialize.Contains( p.PropertyName ) ).ToList();
}
return properties;
}
private Dictionary<string, IEnumerable<string>> PropertiesByType
{
get;
set;
}
}