自定义JSON Unmarshalling用于字符串编码的数字

时间:2016-01-26 13:54:23

标签: json go unmarshalling

我有一个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}

我在这里缺少什么?

1 个答案:

答案 0 :(得分:4)

您正在尝试解组在JSON中无效的字符串1,500。我认为你的意思是解组JSON字符串"1,500"

assert.Nil(t, json.Unmarshal([]byte(`"1,500"`), &c))

注意反引号。这是一个简化的例子:

b := []byte(`1,500`)
var s string
err := json.Unmarshal(b, &s)
fmt.Println(s, err) // Prints error.

b = []byte(`"1,500"`)
err = json.Unmarshal(b, &s)
fmt.Println(s, err) // Works fine.

游乐场:http://play.golang.org/p/uwayOSgmTv