3
我有一個struct
包含各種貨幣值,在仙(1/100 USD):自定義JSON解組字符串編碼數
type CurrencyValues struct {
v1 int `json:"v1,string"`
v2 int `json:"v2,string"`
}
我想創建一個自定義的JSON Unmarshaller的貨幣值與千分離器。這些值被編碼爲字符串,具有一個或多個分隔符(,
),可能還有一個小數點(.
)。
對於此JSON {"v1": "10", "v2": "1,503.21"}
,我想要JSON Unmarshal 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}
我在這裏錯過了什麼?
這是簡單的事情,讓你。謝謝。 – scooz
@scooz這是簡單的事情,_will_得到雅。 ;) –