2 回答
TA贡献1836条经验 获得超13个赞
对于一般情况,您可以interface{}按照Burak Serdar 的回答中所述使用。
特别是对于数字,有json.Number一种类型:它接受 JSON 数字和 JSON 字符串,如果它以字符串形式给出,它可以“自动”解析数字Number.Int64()or Number.Float64()。不需要自定义编组器/解组器。
type Cart struct {
Description string `json:"Description"`
Amount json.Number `json:"Amount"`
}
测试它:
var (
cart1 = []byte(`{
"Description": "Doorknob",
"Amount": "3.25"
}`)
cart2 = []byte(`{
"Description": "Lightbulb",
"Amount": 4.70
}`)
)
func main() {
var c1, c2 Cart
if err := json.Unmarshal(cart1, &c1); err != nil {
panic(err)
}
fmt.Printf("%+v\n", c1)
if err := json.Unmarshal(cart2, &c2); err != nil {
panic(err)
}
fmt.Printf("%+v\n", c2)
}
输出(在Go Playground上试试):
{Description:Doorknob Amount:3.25}
{Description:Lightbulb Amount:4.70}
TA贡献1775条经验 获得超8个赞
如果该字段可以是字符串或 int,则可以使用 interface{},然后找出底层值:
type Cart struct {
Description string `json:"Description"`
Amount interface{} `json:"Amount"`
}
func (c Cart) GetAmount() (float64,error) {
if d, ok:=c.Amount.(float64); ok {
return d,nil
}
if s, ok:=c.Amount.(string); ok {
return strconv.ParseFloat(s,64)
}
return 0, errors.New("Invalid amount")
}
- 2 回答
- 0 关注
- 120 浏览
添加回答
举报