我是Go的新手,我试图了解所有不同类型以及如何使用它们。我有一个带有以下内容的接口(最初是在json文件中):
[map[item:electricity transform:{fuelType}] map[transform:{fuelType} item:gas]]
我有以下结构
type urlTransform struct {
item string
transform string
}
我不知道如何将接口数据放入struct中;我确定这真的很愚蠢,但我一整天都在努力。任何帮助将不胜感激。
答案 0 :(得分:4)
将JSON直接解码为您想要的类型,而不是解码为interface{}
。
声明与JSON数据结构匹配的类型。对JSON数组的JSON对象和切片使用结构:
type transform struct {
// not enough information in question to fill this in.
}
type urlTransform struct {
Item string
Transform transform
}
var transforms []urlTransform
字段名称必须为exported(以大写字母开头)。
将JSON解组为声明的值:
err := json.Unmarshal(data, &transforms)
或
err := json.NewDecoder(reader).Decode(&transforms)
答案 1 :(得分:2)
来自您的回复:[map[item:electricity transform:{fuelType}] map[transform:{fuelType} item:gas]]
。
正如您在此处所看到的,这是一个array
,其中包含map
。
从中获取价值的一种方法是:
values := yourResponse[0].(map[string]interface{}). // convert first index to map that has interface value.
transform := urlTransform{}
transform.Item = values["item"].(string) // convert the item value to string
transform.Transform = values["transform"].(string)
//and so on...
从上面的代码中我可以看到,我正在使用map获取值。在这种情况下,将值转换为适当的类型为string
。
您可以将其转换为适当的类型,例如int
或bool
或其他类型。但是这种方法很痛苦,因为你需要逐个获得值并将其分配给你的字段结构。