Golang json用法详解

简介

json格式可以算我们日常最常用的序列化格式之一了,Go语言作为一个由Google开发,号称互联网的C语言的语言,自然也对JSON格式支持很好。但是Go语言是个强类型语言,对格式要求极其严格而JSON格式虽然也有类型,但是并不稳定,Go语言在解析来源为非强类型语言时比如PHP等序列化的JSON时,经常遇到一些问题诸如字段类型变化导致无法正常解析的情况,导致服务不稳定。所以本篇的主要目的

就是挖掘Golang解析json的绝大部分能力比较优雅的解决解析json时存在的各种问题 深入一下Golang解析json的过程

Golang解析JSON之Tag篇

一个结构体正常序列化过后是什么样的呢?

  1. package main
  2. import (
  3. "encoding/json"
  4. "fmt"
  5. )
  6. // Product 商品信息
  7. type Product struct {
  8. Name string
  9. ProductID int64
  10. Number int
  11. Price float64
  12. IsOnSale bool
  13. }
  14. func main() {
  15. p := &Product{}
  16. p.Name = "Xiao mi 6"
  17. p.IsOnSale = true
  18. p.Number = 10000
  19. p.Price = 2499.00
  20. p.ProductID = 1
  21. data, _ := json.Marshal(p)
  22. fmt.Println(string(data))
  23. }
  24. //结果
  25. {"Name":"Xiao mi 6","ProductID":1,"Number":10000,"Price":2499,"IsOnSale":true}

何为Tag,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. {"name":"Xiao mi 6","number":10000,"price":2499,"is_on_sale":"false"}

omitempty,tag里面加上omitempy,可以在序列化的时候忽略0值或者空值

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

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

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