案例
例如,有個(gè) GET 接口,可以批量獲取用戶信息👇
> curl 'http://localhost:8080/user/1,2,3'
[
{
"user_id":1,
"other_suff":...
},
{
"user_id":2,
"other_suff":...
},
{
"user_id":3,
"other_suff":...
}
]
同時(shí),我們要將用戶信息和他們的某些訂單信息放在一起,組裝成為👇的接口,滿足其他業(yè)務(wù)需求。
[
{
"user_info":{
"user_id":1,
"other_suff":...
},
"order_info":{
"order_id":1,
"user_id":1,
"other_suff":...
}
},
{
"user_info":{
"user_id":2,
"other_suff":...
},
"order_info":{
"order_id":2,
"user_id":2,
"other_suff":...
}
},
{
"user_info":{
"user_id":3,
"other_suff":...
},
"order_info":{
"order_id":3,
"user_id":3,
"other_suff":...
}
}
]
分析
解決這個(gè)問題很簡(jiǎn)單:把user信息和order信息的json用工具解析得到結(jié)構(gòu)體,然后調(diào)用他們的接口得到數(shù)據(jù),根據(jù)id關(guān)聯(lián)和拼裝,最后返回。
這樣的做法存在的一個(gè)問題是,代碼解析了user和order的完整結(jié)構(gòu)。如果user接口返回的用戶信息增加了字段,我們這里的結(jié)構(gòu)體要同步更新,否則我們給出的數(shù)據(jù)就是不完整的。(這可能是很痛苦的,你要求別的團(tuán)隊(duì)加字段,得排期...)
其實(shí)我們作為數(shù)據(jù)的“中間商”,只關(guān)心user接口json里的 user_id ,我們使用這個(gè)字段關(guān)聯(lián)order數(shù)據(jù)。對(duì)于user信息里的 other_suff 或者其他數(shù)據(jù),我們并不關(guān)心,只要保證完整傳出去就好了。
根據(jù) https://golang.org/pkg/encoding/json/#Unmarshal ,可以知道直接丟一個(gè) map[string]interface{} 給 json.Unmarshal 也可以正常解析的,于是我們可以寫出比較通用的透?jìng)鞔a。
type Content []map[string]interface{}
func (c Content) GetByFieldName(name string, defaultVal interface{}) infterface{} {
for _, item := range c {
val, ok := item[name]
if !ok {
continue
}
if val == nil {
return defaultVal
}
return val
}
return defaultVal
}
func getUserContentByIDs(ids []int) Content {
...
var c Content
err := json.Unmarshal(jsonData, c)
...
return c
}
func getOrderContentByUserIDs(ids []int) Content {.../*同上*/}
func Handler(userIDs []int) []Combine {
users := getUserContentByIDs(userIDs)
orders := getOrderContentByUserIDs(userIDs)
// 這里假設(shè)用戶和訂單是一對(duì)一的關(guān)系
ret := make([]Combine, 0, len(users))
for _, u := range users {
for _, o := range orders {
userID := u.GetByFieldName("user_id", 0)
orderUserID := o.GetByFieldName("user_id", 0)
if userID != 0 userID == orderUserID {
ret = append(ret, Combine{
UserInfo: u,
OrderInfo: o,
})
break
}
}
}
return ret
}
P.S. 在上面的例子中,每次查詢Content都要遍歷數(shù)組。如果數(shù)據(jù)量大或者查詢頻繁,可以在初始化Content的時(shí)候,根據(jù)item的唯一標(biāo)標(biāo)識(shí),再給Content根據(jù)封裝一個(gè)map,提高查詢效率。
以上就是本文的全部?jī)?nèi)容,希望對(duì)大家的學(xué)習(xí)有所幫助,也希望大家多多支持腳本之家。
您可能感興趣的文章:- Golang map如何生成有序的json數(shù)據(jù)詳解
- go語言中json數(shù)據(jù)的讀取和寫出操作