Joe*_*vin 5 json go unmarshalling
试图将嵌套的 json 响应从 2 级深展平到 1 级。
这是我在 Go Playground 上的工作代码:http : //play.golang.org/p/kHAYuZUTko
我想结束:
type Social struct {
GooglePlusPlusOnes uint32 `Social:"GooglePlusOne"`
TwitterTweets uint32 `json:"Twitter"`
LinkedinShares uint32 `json:"LinkedIn"`
PinterestPins uint32 `json:"Pinterest"`
StumbleuponStumbles uint32 `json:"StumbleUpon"`
DeliciousBookmarks uint32 `json:"Delicious"`
FacebookLikes uint32 `json:"??some_magical_nested_address??"`
FacebookShares uint32 `json:"??some_magical_nested_address??"`
FacebookComments uint32 `json:"??some_magical_nested_address??"`
FacebookTotal uint32 `json:"??some_magical_nested_address??"`
}
Run Code Online (Sandbox Code Playgroud)
...而不是Social包含嵌套Facebook类型的类型(见下面的代码)。
我怀疑我需要做一个自定义UnmarshalJSON函数,但我不知道这些是如何工作的,而且我是 Go 的新手。
建议?
这是上面Go Playground 链接中的代码:
package main
import (
"encoding/json"
"fmt"
)
type Social struct {
GooglePlusPlusOnes uint32 `json:"GooglePlusOne"`
TwitterTweets uint32 `json:"Twitter"`
LinkedinShares uint32 `json:"LinkedIn"`
PinterestPins uint32 `json:"Pinterest"`
StumbleuponStumbles uint32 `json:"StumbleUpon"`
DeliciousBookmarks uint32 `json:"Delicious"`
Facebook Facebook
}
type Facebook struct {
FacebookLikes uint32 `json:"like_count"`
FacebookShares uint32 `json:"share_count"`
FacebookComments uint32 `json:"comment_count"`
FacebookTotal uint32 `json:"total_count"`
}
func main() {
var jsonBlob = []byte(`[
{"StumbleUpon":0,"Reddit":0,"Facebook":{"commentsbox_count":4691,"click_count":0,"total_count":298686,"comment_count":38955,"like_count":82902,"share_count":176829},"Delicious":0,"GooglePlusOne":275234,"Buzz":0,"Twitter":7346788,"Diggs":0,"Pinterest":40982,"LinkedIn":0}
]`)
var social []Social
err := json.Unmarshal(jsonBlob, &social)
if err != nil {
fmt.Println("error:", err)
}
fmt.Printf("%+v", social)
}
Run Code Online (Sandbox Code Playgroud)
小智 8
如果您只使用地图,此功能将很有用。
// Flatten takes a map and returns a new one where nested maps are replaced
// by dot-delimited keys.
func Flatten(m map[string]interface{}) map[string]interface{} {
o := make(map[string]interface{})
for k, v := range m {
switch child := v.(type) {
case map[string]interface{}:
nm := Flatten(child)
for nk, nv := range nm {
o[k+"."+nk] = nv
}
default:
o[k] = v
}
}
return o
}
Run Code Online (Sandbox Code Playgroud)
您可以简单地嵌入Facebook 结构:
type Social struct {
.....
Facebook `json:"Facebook"`
}
Run Code Online (Sandbox Code Playgroud)
然后像这样访问它:
social.FacebookLikes
Run Code Online (Sandbox Code Playgroud)
工作示例:http : //play.golang.org/p/xThhX_92Sg