我已经开始使用json.net来生成更好的DateTimes,但我注意到我的一个属性没有被序列化。它没有setter,它的getter依赖于对象的另一个成员,例如
public int AmountInPence { get; set;}
public decimal AmountInPounds { get { return (decimal)AmountInPence / 100; } }
我创建了一个继承自JsonResult
的类,主线是:
string serializedObject = JsonConvert.SerializeObject(Data, new IsoDateTimeConverter());
有谁能告诉我如何强制它序列化该属性?
编辑: 只是为了澄清 - 这是一个简化的例子。我已经更新它以反映我首先将int转换为十进制。我忘了先检查,但属性是部分类的一部分,因为它是从WCF服务返回的。我在集合中宣布这个属性,这可能是一个线索吗?
答案 0 :(得分:16)
Json.net没有任何问题。它可以很好地序列化只读属性。
问题出在您的AmountInPounds
public decimal AmountInPounds { get { return AmountInPence / 100; } }
因为您正在使用/ 100
进行整数除法,这意味着如果0
小于100,您将获得AmountInPence
。
您需要使用m suffix将100标记为decimal
:
public decimal AmountInPounds { get { return AmountInPence / 100m; } }
在AmountInPounds
中获得正确的结果。
评论后编辑:
计算出的属性AmountInPounds
在WCF服务生成的DataContract
的部分类中是。
如果某个属性未标有DataContract
,则在DataMemberAttribute
中,它似乎不会被序列化。
除了OP的答案之外:
[JsonPropertyAttribute(DefaultValueHandling = DefaultValueHandling.Include)]
public decimal AmountInPounds { get { return (decimal)AmountInPence / 100; } }
这也有效:
[System.Runtime.Serialization.DataMemberAttribute()]
public decimal AmountInPounds { get { return (decimal)AmountInPence / 100; } }
答案 1 :(得分:2)
这应该对你有用。 LINQPad中的以下程序运行正常:
void Main()
{
JsonConvert.SerializeObject(new A(), new IsoDateTimeConverter()).Dump();
}
public class A
{
public int AmountInPence { get; set;}
public decimal AmountInPounds { get { return AmountInPence / 100; } }
}
输出:
{ “AmountInPence”:0 “AmountInPounds”:0.0}
答案 2 :(得分:2)
好的,好像我找到了答案,抱歉没有在帖子中提供更多细节,但我认为最终不重要。
我需要在AmountInPounds属性上添加一个属性:
[JsonPropertyAttribute(DefaultValueHandling = DefaultValueHandling.Include)]
public decimal AmountInPounds { get { return (decimal)AmountInPence / 100; } }