问题
有没有办法以这样的方式对JSON数据进行编组,使其可以在部件/部分中进行解组?
假设数据的上半部分是一个“代码”,它会表示如何处理下半部分...例如根据“代码”将下半部分解组为特定结构。
有两种结构可以作为下半部分发送......
type Range Struct {
Start int
End int
}
type User struct {
ID int
Pass int
}
PSEUDO代码示例
可能看起来像这样......
message := &Message{
Code: 4,
&Range {
Start: 1,
End: 10,
}
}
它可能看起来像这样......
message := &Message{
Code: 3,
&User {
ID: 1,
Pass: 1234,
}
}
所以,当解组那些数据时,我可以......
// get code from top half
m := Message{}
err = json.UnMarshallTopHalf(byteArray, &m)
if m.Code == 4 {
// ok, the code was four, lets unmarshall into type Range
r := Range{}
json.UnmarshalBottomHalf(byteArray, &r)
}
我查看了JSON & Go以了解如何编组和解组定义的结构。我可以这样做,但我无法找到任意数据的方法,如上例所示......
答案 0 :(得分:1)
type Message struct {
Code int `json:"cc"`
Range *Range `json:"vvv,omitempty"`
User *User `json:"fff,omitempty"`
}
然后给出代码== x,使用范围,如果是Y,则使用User。
答案 1 :(得分:1)
你可以先在json.RawMessage中解组下半部分,比如
package main
import (
"encoding/json"
"fmt"
)
type Message struct {
Code int
Payload json.RawMessage // delay parsing until we know the code
}
type Range struct {
Start int
End int
}
type User struct {
ID int
Pass int
}
func MyUnmarshall(m []byte) {
var message Message
var payload interface{}
json.Unmarshal(m, &message) // delay parsing until we know the color space
switch message.Code {
case 3:
payload = new(User)
case 4:
payload = new(Range)
}
json.Unmarshal(message.Payload, payload) //err check ommited for readability
fmt.Printf("\n%v%+v", message.Code, payload) //do something with data
}
func main() {
json := []byte(`{"Code": 4, "Payload": {"Start": 1, "End": 10}}`)
MyUnmarshall(json)
json = []byte(`{"Code": 3, "Payload": {"ID": 1, "Pass": 1234}}`)
MyUnmarshall(json)
}