我正在尝试使用NancyFx实现某种部分更新。
我有一个名为Resource
的类,如下所示:
public class Resource
{
public int Id { get; set; }
public decimal SomeValue { get; set; }
public bool Enabled { get; set; }
public DateTime CreationDate { get; set; }
}
我当前的资源实例包含以下值:
{
"Id" : 123,
"SomeValue" : 6,
"Enabled" : true,
"CreationDate" : "2015-08-01T13:00:00"
}
我希望我的PUT方法接收仅代表Resource
的某些属性的JSON,例如:
{
"Id": 123,
"SomeValue" : 54.34
}
然后,我会做一个BindTo(myCurrentResourceInstance)
,结果将是:
{
"Id" : 123,
"SomeValue" : 54.34,
"Enabled" : true,
"CreationDate" : "2015-08-01T13:00:00"
}
然而,我得到了这个:
{
"Id" : 123,
"SomeValue" : 54.34,
"Enabled" : false,
"CreationDate" : "0001-01-01T00:00:00"
}
JSON中包含的属性会正确覆盖当前实例中的属性,但BindTo()
方法也会更改我未在JSON中指定的属性。我想只覆盖JSON中指定的属性;其他人应保持不变。
BindTo()
收到BindingConfig
参数,其中Overwrite
属性(https://github.com/NancyFx/Nancy/wiki/Model-binding)。如果此属性为true,则会导致BindTo()
覆盖所有属性;当它是假的时候,没有一个被覆盖。
有没有办法实现我想要的目标?
由于
答案 0 :(得分:0)
由于您希望在JSON中未指定时阻止当前值被默认值覆盖,您可以将未定义的值列入黑名单:
BindTo<TModel>(this INancyModule module, TModel instance, params string[] blacklistedProperties)` extension method
有了这个,我们可以通过反射提取属性列表并排除在JSON上定义的属性列表,并将其传递给该方法:
var definedProperties = JsonConvert
.DeserializeObject<JObject>(json)
.Properties()
.Select(p => p.Name);
var allProperties = typeof(Resource)
.GetProperties(BindingFlags.Public | BindingFlags.Instance)
.Select(p => p.Name);
module.BindTo(myCurrentResourceInstance, allProperties.Except(definedProperties));
我查看了github上的Nancy源代码,我找不到任何暴露JSON属性列表的内容,它们的序列化程序也是内部的。因此,您必须包含另一个库来进行解析(我使用了Newtonsoft.Json)。
我希望你能以某种方式访问你的json来检索属性列表。因为我无法在INancyModule上找到它,但我想你确实可以从更高的位置访问它。
答案 1 :(得分:0)
我设法使用Newtonsoft.Json进行部分更新工作。它不是我想要的干净,但至少它有效。
var partialResourceAsJson = Request.Body.AsString();
JsonConvert.PopulateObject(partialResourceAsJson, myCurrentResourceInstance);