给定以下类:
class Report {
public Report() {
this.Fields=new List<Field>();
}
[JsonProperty("fields")]
public IList<Field> Fields { get; private set; }
}
class Field {
[JsonProperty("identifier")]
public Guid Identfier { get;set; }
[JsonProperty("name")]
public string Name { get;set; }
}
并建立了以下测试方法:
var report = new Report();
report.Fields.Add(new Field { Identifier = new Guid("26a94eab-3d50-4330-8203-e7750abaa060"), Name = "Field 1" });
report.Fields.Add(new Field { Identifier = new Guid("852107db-b5d1-4344-9f71-7bd90b96fec0"), Name = "Field 2" });
var json = "{"fields":[{"identifier":"852107db-b5d1-4344-9f71-7bd90b96fec0","name":"name changed"},{"identifier":"ac424aff-22b5-4bf3-8232-031eb060f7c2","name":"new field"}]}";
JsonConvert.PopulateObject(json, report);
Assert.IsTrue(report.Fields.Count == 2, "The number of fields was incorrect.");
我如何让JSON.Net知道标识符为"852107db-b5d1-4344-9f71-7bd90b96fec0"的字段应该应用于具有相同标识符的现有字段?
此外,是否可以让JSON.Net删除给定JSON数组中不存在的项(特别是标识符为"26a94eab-3d50-4330-8203-e7750abaa060"的字段应该删除,因为它不存在于给定的JSON数组中。
如果有一种方法可以手动编码或覆盖JSON分析列表的方式,那会更好,因为我可以写代码说"这是你需要的项目"或"使用这个新创建的项目",或者只是"不要对这个项目做任何事情,因为我已经删除了它"。有人知道我能做这件事的方法吗?
您可以使用选项ObjectCreationHandling = ObjectCreationHandling.Replace
。
您可以使用序列化程序设置为整个数据模型执行此操作,如Json.Net PopulateObject Appending列表中所示,而不是设置值:
var serializerSettings = new JsonSerializerSettings {ObjectCreationHandling = ObjectCreationHandling.Replace};
JsonConvert.PopulateObject(json, report, serializerSettings);
或者,如果您不想普遍这样做,您可以在已经使用的JsonProperty
属性上设置选项:
class Report
{
public Report()
{
this.Fields = new List<Field>();
}
[JsonProperty("fields", ObjectCreationHandling = ObjectCreationHandling.Replace)]
public IList<Field> Fields { get; private set; }
}