??Golang的json包解析可以让你在程序中方便的读取和写入JSON 数据。
- 生成JSON场景相对简单一些,json.Marshal()会根据传入的结构体生成JSON数据。
- 解析JSON会把数据解析到结构体中,由于JSON格式的可能根据其传递参数的值,来判断类型,这种自由组合的特点,就需要采用泛型的接口类型解决。本文重点描述对未知结构体数据的解析,主要分为如下1和2两个步骤。
1. 将未知结构体解析为interface{}类型
1 2 3 4 5 6 7 8 9 10 11 12 | //请求消息类型,客户端收到该类型json并进行解析。用interface{}代表任意结构类型 type MsgRequest struct { TimeStamp uint64 `json:"timestamp"` Object string `json:"object"` Params interface{} `json:"params"` } //这里先解析接收到的数据类型,params为未知的json类型 var Msg MsgRequest if err = json.Unmarshal(msg.Payload(), &Msg); err != nil { log.Error(err) } |
2. 转化interface{}类型为指定结构体
??读者可以采用如下两种方式中的任意一个完成转化。
- 通过序列化和反序列化完成转化
??这里先重新序列化未知结构体Params为[]byte结构类型数据ByteParams, 然后再根据消息内容转化为对应结构体类型数据。
1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 17 18 19 20 | //OBJ_Test1 type Test1_OBJ struct { Id uint64 `json:"id"` Name string `json:"string"` } ByteParams, _ := json.Marshal(Msg.Params) switch { case Obj == OBJ_Test1: var test1 Test1_OBJ if err = json.Unmarshal(ByteParams, &test1); err != nil { log.Error(err) }else { //todo } case Obj == OBJ_Test2: ... default: } } |
- 通过interface{}结构类型转化
??这里根据消息内容,直接将interface{}转化为对应结构体类型数据。
1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 17 18 19 | //OBJ_Test1 type Test1_OBJ struct { Id uint64 `json:"id"` Name string `json:"string"` } switch { case Obj == OBJ_Test1: var test1 Test1_OBJ if test1,ok := (Msg.Params).(Test1_OBJ); ok { //todo }else { log.Error(err) } case Obj == OBJ_Test2: ... default: } } |
最新状态新参考本文源站链接:https://turbock79.cn/?p=1905