其他分享
首页 > 其他分享> > Golang中json tag标签的作用和用法讲解

Golang中json tag标签的作用和用法讲解

作者:互联网

结构体的tag

tag是结构体的元信息,运行时通过反射机制读取。结构体的tag一般定义在相应字段的后面,格式为:

fieldName fieldType  `key1:"value1" key2:"value2"`

同一个结构体字段可以设置多个键值对tag,不同的键值对之间使用空格分隔。

json tag

默认情况下序列化与反序列化使用的都是结构体的原生字段名,可以通过给结构体字段添加json tag来指定序列化后的字段名。标签冒号前是类型,后面是标签名。
例如代码:

 1 // Product _
 2 type Product struct {
 3     Name      string  `json:"name"`
 4     ProductID int64   `json:"-"` // 表示不进行序列化
 5     Number    int     `json:"number"`
 6     Price     float64 `json:"price"`
 7     IsOnSale  bool    `json:"is_on_sale,string"`
 8 }
 9  
10 // 序列化过后,可以看见
11    {"name":"Xiao mi 6","number":10000,"price":2499,"is_on_sale":"false"}

omitempty,tag里面加上omitempy,可以在序列化的时候忽略0值或者空值。注意此时在“omitempty”前一定指定一个字段名,否则“omitempty”将作为字段名处理。

 1 package main
 2  
 3 import (
 4     "encoding/json"
 5     "fmt"
 6 )
 7  
 8 // Product _
 9 type Product struct {
10     Name      string  `json:"name"`
11     ProductID int64   `json:"product_id,omitempty"`
12     Number    int     `json:"number"`
13     Price     float64 `json:"price"`
14     IsOnSale  bool    `json:"is_on_sale,omitempty"`
15 }
16  
17 func main() {
18     p := &Product{}
19     p.Name = "Xiao mi 6"
20     p.IsOnSale = false
21     p.Number = 10000
22     p.Price = 2499.00
23     p.ProductID = 0
24  
25     data, _ := json.Marshal(p)
26     fmt.Println(string(data))
27 }
28 // 结果(省略掉了p.IsOnSale 和 p.ProductID)
29 {"name":"Xiao mi 6","number":10000,"price":2499}

若要在被嵌套结构体整体为空时使其在序列化结果中被忽略,不仅要在被嵌套结构体字段后加上json:"fileName,omitempty",还要将其改为结构体指针。如:

 1 type BodyInfo struct {
 2     Weight float64    
 3     Height float64
 4 }
 5 
 6 type Student struct {
 7     Name   string  `json:"name"`
 8     Age    int64
 9     *BodyInfo       `json:"bodyinfo,omitempty"`
10 }

type,有些时候,我们在序列化或者反序列化的时候,可能结构体类型和需要的类型不一致,这个时候可以指定,支持string,number和boolean

 1 package main
 2  
 3 import (
 4     "encoding/json"
 5     "fmt"
 6 )
 7  
 8 // Product _
 9 type Product struct {
10     Name      string  `json:"name"`
11     ProductID int64   `json:"product_id,string"`
12     Number    int     `json:"number,string"`
13     Price     float64 `json:"price,string"`
14     IsOnSale  bool    `json:"is_on_sale,string"`
15 }
16  
17 func main() {
18  
19     var data = `{"name":"Xiao mi 6","product_id":"10","number":"10000","price":"2499","is_on_sale":"true"}`
20     p := &Product{}
21     err := json.Unmarshal([]byte(data), p)
22     fmt.Println(err)
23     fmt.Println(*p)
24 }
25 // 结果
26 <nil>
27 {Xiao mi 6 10 10000 2499 true}

 

参考文章:

GO--Json tag标签的作用,json用法讲解:https://blog.csdn.net/qq_33679504/article/details/100533703

golang-json使用(json tag):https://blog.csdn.net/somanlee/article/details/106925278

标签:Product,omitempty,string,Golang,json,tag,序列化
来源: https://www.cnblogs.com/FengZeng666/p/14987939.html