我有一个struct包含各种货币价值的东西,以美分(1/100 美元)为单位:
type CurrencyValues struct {
v1 int `json:"v1,string"`
v2 int `json:"v2,string"`
}
我想为带有千位分隔符的货币值创建一个自定义的 json Unmarshaller。这些值被编码为字符串,带有一个或多个千位分隔符 ( ,),可能还有一个小数点 ( .)。
对于这个 JSON {"v1": "10", "v2": "1,503.21"},我想 JSON Unmarshal a CurrencyValues{v1: 1000, v2: 150321}。
遵循这里的类似答案:Golang: How to unmarshall both 0 and false as bool from JSON,我继续为我的货币字段创建了一个自定义类型,其中包括一个自定义解组函数:
type ConvertibleCentValue int
func (cents *ConvertibleCentValue) UnmarshalJSON(data []byte) error {
asString := string(data)
// Remove thousands separators
asString = strings.Replace(asString, ",", "", -1)
// Parse to float, then convert dollars to cents
if floatVal, err := strconv.ParseFloat(asString, 32); err == nil {
*cents = ConvertibleCentValue(int(floatVal * 100.0))
return nil
} else {
return err
}
}
但是,在编写单元测试时:
func Test_ConvertibleCentValue_Unmarshal(t *testing.T) {
var c ConvertibleCentValue
assert.Nil(t, json.Unmarshal([]byte("1,500"), &c))
assert.Equal(t, 150000, int(c))
}
我遇到这个错误:
Error: Expected nil, but got: &json.SyntaxError{msg:"invalid character ',' after top-level value", Offset:2}
我在这里错过了什么?
RISEBY
相关分类