今天給大家分享用 Go 如何解析 JSON 資料,包含三種情況,強型別解析、弱型別解析、返回結構不確定 等。
JSON 結構
比如,請求了手機歸屬地的介面,json 資料返回如下:
{
"resultcode": "200",
"reason": "Return Successd!",
"result": {
"province": "浙江",
"city": "杭州",
"areacode": "0571",
"zip": "310000",
"company": "中國移動",
"card": ""
}
}
思路是這樣的:
- 先將 json 轉成 struct。
- 然後
json.Unmarshal()
即可。
json 轉 struct ,自己手寫就太麻煩了,有很多線上的工具可以直接用,我用的這個:https://mholt.github.io/json-to-go/
在左邊貼上 json 後面就生成 struct 了。
用程式碼實現下:
type MobileInfo struct {
Resultcode string `json:"resultcode"`
Reason string `json:"reason"`
Result struct {
Province string `json:"province"`
City string `json:"city"`
Areacode string `json:"areacode"`
Zip string `json:"zip"`
Company string `json:"company"`
Card string `json:"card"`
} `json:"result"`
}
func main() {
jsonStr := `
{
"resultcode": "200",
"reason": "Return Successd!",
"result": {
"province": "浙江",
"city": "杭州",
"areacode": "0571",
"zip": "310000",
"company": "中國移動",
"card": ""
}
}
`
var mobile MobileInfo
err := json.Unmarshal([]byte(jsonStr), &mobile)
if err != nil {
fmt.Println(err.Error())
}
fmt.Println(mobile.Resultcode)
fmt.Println(mobile.Reason)
fmt.Println(mobile.Result.City)
}
輸出:
200
Return Successd!
杭州
完美解析。
到這問題還沒結束,思考下這些問題:
- 如果 json 格式的資料型別不確定怎麼辦?
- 如果 json 格式的資料 result 中引數不固定怎麼辦?
思路是這樣的:
去 github 上找開源類庫,哈哈,我使用的是這個:https://github.com/mitchellh/...
我們們一起學習下,先解決第一個問題,資料型別不確定怎麼辦?
先定義一個 string 型別的 resultcode,json 卻返回了 int 型別的 resultcode。
看文件有一個弱型別解析的方法 WeakDecode()
,我們們試一下:
type MobileInfo struct {
Resultcode string `json:"resultcode"`
}
func main() {
jsonStr := `
{
"resultcode": 200
}
`
var result map[string]interface{}
err := json.Unmarshal([]byte(jsonStr), &result)
if err != nil {
fmt.Println(err.Error())
}
var mobile MobileInfo
err = mapstructure.WeakDecode(result, &mobile)
if err != nil {
fmt.Println(err.Error())
}
fmt.Println(mobile.Resultcode)
}
輸出:
200
第一個問題已解決。
再解決第二個問題,result 中引數不固定怎麼辦?
這個就不用上面的例子了,看下官方提供的例子 Example (EmbeddedStruct)
。
type Family struct {
LastName string
}
type Location struct {
City string
}
type Person struct {
Family `mapstructure:",squash"`
Location `mapstructure:",squash"`
FirstName string
}
func main() {
input := map[string]interface{}{
"FirstName": "Mitchell",
"LastName": "Hashimoto",
"City": "San Francisco",
}
var result Person
err := mapstructure.Decode(input, &result)
if err != nil {
panic(err)
}
fmt.Println(result.FirstName)
fmt.Println(result.LastName)
fmt.Println(result.City)
}
輸出:
Mitchell
Hashimoto
San Francisco
使用的是 mapstructure 包,struct tag 標識不要寫 json,要寫 mapstructure。
轉載來源
原文章連結為 https://segmentfault.com/a/119000002148714... ,採用《署名 - 非商業性使用 - 禁止演繹 4.0 國際》許可協議,刪除了一些不必要的引導內容,格式有一定變化
本作品採用《CC 協議》,轉載必須註明作者和本文連結