我需要解组可能具有以下格式的json对象: -
Format1:
{
"contactType": 2,
"value": "0123456789"
}
Format2:
{
"contactType": "MobileNumber",
"value": "0123456789"
}
我用于解组的结构是: -
type Contact struct {
ContactType int `json:"contactType"`
Value string `json:"value"`
}
但这仅适用于格式1.我不想更改ContactType的数据类型,但我也想要容纳第二种格式。我听说过json.RawMarshal并尝试使用它。
type Contact struct {
ContactType int
Value string `json:"value"`
Type json.RawMessage `json:"contactType"
}
type StringContact struct {
Type string `json:"contactType"`
}
type IntContact struct {
Type int `json:"contactType"`
}
这可以完成解组,但是我无法设置取决于json.RawMessage类型的ContactType变量。如何对我的结构进行建模以便解决此问题?
答案 0 :(得分:2)
您需要自己进行解组。有一篇非常好的文章展示了如何使用json.RawMessage和其他一些解决这个问题的方法,比如使用接口,RawMessage,实现你自己的解组和解码函数等。
你会在这里找到这篇文章:JSON decoding in GO by Attila Oláh 注意:Attila在他的代码示例中犯了一些错误。
我冒昧地将(使用Attila的一些代码)放在一起使用RawMessage延迟解组的工作示例,以便我们可以在我们自己的Decode函数版本上进行。
package main
import (
"fmt"
"encoding/json"
"io"
)
type Record struct {
AuthorRaw json.RawMessage `json:"author"`
Title string `json:"title"`
URL string `json:"url"`
Author Author
}
type Author struct {
ID uint64 `json:"id"`
Email string `json:"email"`
}
func Decode(r io.Reader) (x *Record, err error) {
x = new(Record)
if err = json.NewDecoder(r).Decode(x); err != nil {
return
}
if err = json.Unmarshal(x.AuthorRaw, &x.Author); err == nil {
return
}
var s string
if err = json.Unmarshal(x.AuthorRaw, &s); err == nil {
x.Author.Email = s
return
}
var n uint64
if err = json.Unmarshal(x.AuthorRaw, &n); err == nil {
x.Author.ID = n
}
return
}
func main() {
byt_1 := []byte(`{"author": 2,"title": "some things","url": "https://stackoverflow.com"}`)
byt_2 := []byte(`{"author": "Mad Scientist","title": "some things","url": "https://stackoverflow.com"}`)
var dat Record
if err := json.Unmarshal(byt_1, &dat); err != nil {
panic(err)
}
fmt.Printf("%#s\r\n", dat)
if err := json.Unmarshal(byt_2, &dat); err != nil {
panic(err)
}
fmt.Printf("%#s\r\n", dat)
}
希望这有帮助。