gtype并发安全基本类型的使用非常简单,往往就类似以下几个方法(以gtype.Int类型举例):

  1. func NewInt(value ...int) *Int
  2. func (v *Int) Add(delta int) (new int)
  3. func (v *Int) Cas(old, new int) bool
  4. func (v *Int) Clone() *Int
  5. func (v *Int) Set(value int) (old int)
  6. func (v *Int) String() string
  7. func (v *Int) Val() int

基本使用

  1. package main
  2. import (
  3. "github.com/gogf/gf/v2/container/gtype"
  4. "fmt"
  5. )
  6. func main() {
  7. // 创建一个Int型的并发安全基本类型对象
  8. i := gtype.NewInt()
  9. // 设置值
  10. fmt.Println(i.Set(10))
  11. // 获取值
  12. fmt.Println(i.Val())
  13. // 数值-1,并返回修改之后的数值
  14. fmt.Println(i.Add(-1))
  15. }

执行后,输出结果为:

  1. 0
  2. 10
  3. 9

JSON序列化/反序列

gtype模块下的所有容器类型均实现了标准库json数据格式的序列化/反序列化接口。

1、Marshal

  1. package main
  2. import (
  3. "encoding/json"
  4. "fmt"
  5. "github.com/gogf/gf/v2/container/gtype"
  6. )
  7. func main() {
  8. type Student struct {
  9. Id *gtype.Int
  10. Name *gtype.String
  11. Scores *gtype.Interface
  12. }
  13. s := Student{
  14. Id: gtype.NewInt(1),
  15. Name: gtype.NewString("john"),
  16. Scores: gtype.NewInterface([]int{100, 99, 98}),
  17. }
  18. b, _ := json.Marshal(s)
  19. fmt.Println(string(b))
  20. }

执行后,输出结果:

  1. {"Id":1,"Name":"john","Scores":[100,99,98]}

2、Unmarshal

  1. package main
  2. import (
  3. "encoding/json"
  4. "fmt"
  5. "github.com/gogf/gf/v2/container/gtype"
  6. )
  7. func main() {
  8. b := []byte(`{"Id":1,"Name":"john","Scores":[100,99,98]}`)
  9. type Student struct {
  10. Id *gtype.Int
  11. Name *gtype.String
  12. Scores *gtype.Interface
  13. }
  14. s := Student{}
  15. json.Unmarshal(b, &s)
  16. fmt.Println(s)
  17. }

执行后,输出结果:

  1. {1 john [100,99,98]}