我注意到Newtonsoft.Json今天的一些奇怪输出,我不确定这是与F#类型的交互还是C#中可能发生的事情,所以我标记了两者。我有一个正在序列化的以下记录的列表:
type SplitTracker =
{
[<JsonIgnore>]
split : SplitDefinition
mutable start : duration
mutable ``end`` : duration
mutable lapCount : int
mutable duration : duration Option
}
我用JsonConvert.SerializeObject
串行化它,得到以下奇数输出:
"splits": [
{
"start@": "0.00",
"end@": "0.00",
"lapCount@": 0,
"duration@": null,
"start": "0.00",
"end": "0.00",
"lapCount": 0,
"duration": null
},
{
"start@": "0.00",
"end@": "0.00",
"lapCount@": 0,
"duration@": null,
"start": "0.00",
"end": "0.00",
"lapCount": 0,
"duration": null
}
有人知道为什么会发生这种事吗?数据是正确的,带有"@"符号的字段重复是问题所在。
您定义记录的方式是罪魁祸首。记录字段作为属性公开,但您使用的是可变属性。F#将把它变成一个类,该类为每个变量都有字段(名称是以@为前缀的属性名称),以及读取这些字段的属性。
Json现在将尝试序列化所有字段和所有属性,因此您得到了重复。
在F#交互式:中试用
type SplitTracker =
{
mutable start : float
}
let t = typeof<SplitTracker>
let fields1 = t.GetFields() // This will give you a field '@start'
let props1 = t.GetProperties() // This will give you a property 'start'
与使用普通记录时得到的结果形成对比:
type SplitTracker2 =
{
start : float
}
let t2 = typeof<SplitTracker2>
let fields2 = t2.GetFields() // You will not see any fields
let props2 = t2.GetProperties() // There is a single property 'start'
这应该是正确的序列化。除此之外,它还使您的代码更加地道。