Contents

Golang 中的类型

类型分类

1. 值类型和指针类型

  1. 值类型: 变量之间传递的的是值的拷贝
  2. 指针类型: 变量之间传递的是指针的拷贝

1. 基础类型

1
2
3
4
int
float32, float64
bool
string

2.复合类型

  1. container

    1. arrary
    2. slice
    3. map
  2. struct

  3. pointer

  4. channel

  5. function

  6. interface

3. 类型的声明(type declaration)

1. type definitions vs type alias

 1
 2
 3
 4
 5
 6
 7
 8
 9
10
// 1. basic type 
type A int
// 2. struct 
type Bird struct {

}
// 3. interface 
type BirdInterface interface {

}

2. type alias

1
type Name = int 

3. definition vs alias

  1. definition:
    1. create a new type
  2. alias
    1. not create a new type

use case: Representing enums in go

  1. enum
 1
 2
 3
 4
 5
 6
 7
 8
 9
10
11
12
13
14
type Suite int

const (
  unknown Suite = iota
  Spades
  Hearts
  Diamond
  Clubs
  sentinel
)

func (s Suite) isValid() bool {
  return  s > unknown && s < sentinel
}
  1. add function
1
2
3
4
5
6
7
type Person string
func (p Person) Hello(anotherPerson Person) {
    fmt.Printf("%s, Hello from %s", anotherPerson, p)
}
elon := Person("Elon Musk")
aleh := Person("Aleh")
elon.Hello(aleh) // Aleh, Hello from Elon Musk