Golang json轉結構體
阿新 • • 發佈:2018-12-24
json字串
首先 我們來看一下這個json 字串
{
"resp": {
"respCode": "000000",
"respMsg": "成功",
"app": {
"appId": "d12abd3da59d47e6bf13893ec43730b8"
}
}
}
結構體拆解
go 內建了json字串的解析包 “encoding/json”
按照json庫的分析,其實每一個花括號就是一個結構體
那麼拆解的結構體如下:
//代表最裡層的結構體
type appInfo struct {
Appid string `json:"appId"`
}
//代表第二層的結構體
type response struct {
RespCode string `json:"respCode"`
RespMsg string `json:"respMsg"`
AppInfo appInfo `json:"app"`
}
type JsonResult struct {
Resp response `json:"resp"` //代表最外層花括號的結構體
}
結構體的命名必須遵循第一個字母大寫,否則json庫會忽略掉該成員
這和Go的設計理念一致,結構體中首字母大寫的成員,才可被其他物件問
而後面的json:“xxx” xxx則需要和json字串裡的名字相符合:
如最外層的 json:”resp” 和json字串裡的“resp”一致
測試
實際的程式碼解析如下
package main
import (
"fmt"
"encoding/json"
)
type appInfo struct {
Appid string `json:"appId"`
}
type response struct {
RespCode string `json:"respCode"`
RespMsg string `json:"respMsg" `
AppInfo appInfo `json:"app"`
}
type JsonResult struct {
Resp response `json:"resp"`
}
func main() {
jsonstr := `{"resp": {"respCode": "000000","respMsg": "成功","app": {"appId": "d12abd3da59d47e6bf13893ec43730b8"}}}`
var JsonRes JsonResult
json.Unmarshal(body, &JsonRes)
fmt.Println("after parse", JsonRes)
}