Go语言从入门到精通三——struct和interface

时间:2024-10-10 17:38:04

Go中的struct

struct用来自定义复杂数据结构,相当于其他面向对象语言中的Class。

  • struct里面可以包含多个字段(属性)
  • struct类型可以自定义方法,注意和函数的区分:方法有一个接受对象,而函数没有
  • struct类型是值类型
  • struct类型可以嵌套
  • Go语言没有class类型,只有struct类型

struct声明

语法:
type 标识符 struct{
field1 type
field2 type
}
如:

type Student struct{
   
	Name string 
	Age int
	Score int
}

struct定义的三种形式

var stu Student
var stu *Student = new(Student)
var stu *Student = &Student{
   }

其中,后两种返回的都是指向结构体的指针,访问形式如下:
或者 (*stu).Name(*stu).Age(*stu).Score

struct的内存布局

struct中的所有字段在内存是连续的,布局如下:
在这里插入图片描述

struct工厂模式

golang中的struct没有构造函数,一般可以使用工厂模式来解决这个问题。

package model

import "fmt"

type student struct {
   
	name string
	age int
}

func NewStudent(name string, age int) *student {
   
	return &student{
   
		name: name,
		age:  age,
	}
}

func (s student)Print()  {
   
	fmt.Println(s.name, s.age)
}
package main

import (
	"golang_learning/model"
	"fmt"
	"strings"
)

func main() {
   
	s := model.NewStudent("sam", 18)
	s.