go語言中struct結構體的使用
阿新 • • 發佈:2019-05-13
truct new 標識符 指向 方法 如果 處理 ack 都是 一、struct的特點
- 1、用來自定義復雜數據結構
- 2、struct裏面可以包含多個字段(屬性)
- 3、struct類型可以定義方法,註意和函數的區分
- 4、struct類型是值類型
- 5、struct類型可以嵌套
- 6、GO語言沒有class類型,只有struct類型
二、struct的定義
1、struct聲明:
type 標識符 struct {
Name string
Age int
Score int
}
2、struct 中字段訪問:和其他語言一樣,使用點
例子
type Student struct { Name string Age int Score int } func main(){ var stu Student stu.Name = "lilei" stu.Age = 22 stu.Score = 20 fmt.Printf("name=%s age=%d score=%d",stu.Name,stu.Age,stu.Score) }
3、struct定義的三種形式:
a: var stu Student
b: var stu Student = new(Student)
c: var stu Student = &Student{}
(1)其中b和c返回的都是指向結構體的指針,訪問形式如下
stu.Name、stu.Age和stu.Score 或者(stu).Name、(stu).Age、(*stu).Scroe
三、struct的初始化
1、struct的內存布局:struct中的所有字段在內存是連續的,布局如下:
type Rect1 struct { Min, Max point}
type Rect2 struct { Min, Max *point}
2、鏈表定義
type School struct {
Name School
Next *School
}
每個節點包含下一個節點的地址,這樣把所有的節點串起來,通常把鏈表的第一個節點叫做鏈表頭
3、雙鏈表定義
type School struct {
Name string
Next *School
Prev *School
}
如果有兩個指針分別指向前一個節點和後一個節點叫做雙鏈表。
4、二叉樹定義
type School struct {
Name string
Left School
Right School
}
如果每個節點有兩個指針分別用來指向左子樹和右子樹,我們把這樣的結構叫做二叉樹
四、特殊自處
1、結構體是用戶單獨定義的類型,不能和其他類型進行強制轉換
2、golang中的struct沒有構造函數,一般可以使用工廠模式來解決這個問題
package model
type student struct {
Name string
Age int
}
func NewStudent(name string,age int) *student {
return &student{
Name:name,
Age:age,
}
}
package main
S := new(student)
S := model.NewStudent("tom",20)
3、我們可以為struct中的每個字段,寫上一個tag。這個tag可以通過反射的機制獲取到,最常用的場景就是json序列化和反序列化。
type student struct {
Name string `json="name"`
Age string `json="age"`
}
4、結構體中字段可以沒有名字,即匿名字段
type Car struct {
Name string
Age int
}
type Train struct {
Car
Start time.Time
int
}
5、匿名字段的沖突處理
type Car struct {
Name string
Age int
}
type Train struct {
Car
Start time.Time
Age int
}
type A struct {
a int
}
type B struct {
a int
b int
}
type C struct {
A
B
}
go語言中struct結構體的使用