2.5 利用空结构体节省内存

Kesa...大约 2 分钟golang

1. 空结构体的内存占用

使用unsafe.Sizeof可以获取一个变量的内存占用(单位:字节)

func emptyStructMemUsage() {
	es := struct{}{}
	fmt.Println(unsafe.Sizeof(es))
}
// 
0

可以看出空结构体的内存占用为 0。

2. 空结构体的作用

因为空结构体不占据内存空间,因此被广泛作为各种场景下的占位符使用:

  1. 节省资源
  2. 空结构体本身就具备很强的语义,即这里不需要任何值,仅作为占位符

2.1 实现集合(Set)

Golang 标准库中没有 Set 的实现,可以使用 map 代替。

因为此时 map 的 value,没有意义,若使用 bool 类型也会占用 1 Byte的内存,此时使用空结构体作为占位符,可以节省内存资源。


type Set map[string]struct{}

func (s Set) Has(key string) bool {
	_, ok := s[key]
	return ok
}

func (s Set) Add(key string) {
	s[key] = struct{}{}
}

func (s Set) Delete(key string) {
	delete(s, key)
}

func setOp() {
	s := make(Set)
	s.Add("A")
	s.Add("B")
	s.Add("C")

	fmt.Println(s)
	fmt.Println(s.Has("C"))
	fmt.Println(s.Has("D"))

	s.Delete("B")
	fmt.Println(s)
}
// output
map[A:{} B:{} C:{}]
true
false
map[A:{} C:{}]

2.2 不发送数据的 channel

func worker(ch chan struct{}) {
	<-ch
	fmt.Println("do something")
	close(ch)
}

func main() {
	ch := make(chan struct{})
	go worker(ch)
	ch <- struct{}{}
}

有时候使用 channel 不需要发送任何的数据,只用来通知子协程(goroutine)执行任务,或只用来控制协程并发度。这种情况下,使用空结构体作为占位符就非常合适了。

2.3 仅包含方法的结构体

type Door struct{}

func (d Door) Open() {
	fmt.Println("Open the door")
}

func (d Door) Close() {
	fmt.Println("Close the door")
}

在部分场景下,结构体只包含方法,不包含任何的字段。例如上面例子中的 Door,在这种情况下,Door 事实上可以用任何的数据结构替代。例如:

type Door int
type Door bool

无论是 int 还是 bool 都会浪费额外的内存,因此呢,这种情况下,声明为空结构体是最合适的。

Reference

  1. https://geektutu.com/post/hpg-empty-struct.htmlopen in new window
上次编辑于:
评论
  • 按正序
  • 按倒序
  • 按热度
Powered by Waline v2.15.2