我是golang的新手。我有一个结构 Item 。
type Item Struct{
...
}
,我知道它具有默认的 UnmarshalJSON 方法。
现在我想将数据解组。
因为数据可能具有两种不同的格式。所以我的期望如下:
if condition {
//execute default UnmarshalJSON
json.Unmarshal(data, &item)
}else{
//execute my own UnmarshalJSON
json.Unmarshal(data, &item)
}
这是我自己的UnmarshalJSON。
func (item *Item) UnmarshalJSON(data []byte) error{
...
}
也许我自己UnmarshalJSON将覆盖默认值,因此这两种方法不能同时出现。我想知道如何解决将两种不同格式的数据解组为一个结构的问题。
答案 0 :(得分:0)
使用接口,无论您从json响应中获取哪种格式,然后将其解组为接口,如下所示:
func main(){
var result interface{}
if err := json.Unmarshal(jsonbytes, &result); err != nil{
fmt.Println(err)
}
}
然后使用类型断言来获取接口下的值。但是我认为如果您不使用密钥的基础类型,就可以了。更好的方法是使用递归来获取值。
func fetchValue(value interface{}) {
switch value.(type) {
case string:
fmt.Printf("%v is an interface \n ", value)
case bool:
fmt.Printf("%v is bool \n ", value)
case float64:
fmt.Printf("%v is float64 \n ", value)
case []interface{}:
fmt.Printf("%v is a slice of interface \n ", value)
for _, v := range value.([]interface{}) { // use type assertion to loop over []interface{}
fetchValue(v)
}
case map[string]interface{}:
fmt.Printf("%v is a map \n ", value)
for _, v := range value.(map[string]interface{}) { // use type assertion to loop over map[string]interface{}
fetchValue(v)
}
default:
fmt.Printf("%v is unknown \n ", value)
}
}
Go playground上的工作代码
以上代码将使您能够获取解析到接口中的任何类型的值。
注意:
在golang中,定义为当您将未知json解组到 接口。它将转换为以下类型:
bool, for JSON booleans
float64, for JSON numbers
string, for JSON strings
[]interface{}, for JSON arrays // slice of interface{}
map[string]interface{}, for JSON objects
nil for JSON null