1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
|
package main
import (
"bytes"
"fmt"
"runtime"
"sync"
)
func main() {
var pool = &sync.Pool{
New: func() interface{} {
return new(bytes.Buffer)
}}
b := pool.Get().(*bytes.Buffer)
b.Write([]byte("hello"))
pool.Put(b)
b = pool.Get().(*bytes.Buffer)
fmt.Println(b) // hello
fmt.Println(pool.Get().(*bytes.Buffer)) // 再去 Get 什么也没有, 因为只有一个, 且前一条语句已经 Get 了又没 Put 回去
b.Write([]byte("42082"))
pool.Put(b)
fmt.Println(pool.Get().(*bytes.Buffer))
b.Write([]byte("42039"))
pool.Put(b)
runtime.GC() // 手动 GC
fmt.Println(pool.Get().(*bytes.Buffer)) // 已被回收, 啥也没输出
c := pool.Get().(*bytes.Buffer)
c.Write([]byte("2nd hello"))
d := pool.Get().(*bytes.Buffer)
d.Write([]byte("3rd hello"))
pool.Put(c)
pool.Put(d)
fmt.Println(pool.Get().(*bytes.Buffer)) // 2nd hello
fmt.Println(pool.Get().(*bytes.Buffer)) // 3rd hello
}
|
对比用 channel
实现类似 sync.Pool
的 benchmark
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
57
58
59
60
61
62
63
64
65
|
// x_test.go
package main
import (
"sync"
"testing"
)
type ChanPool chan interface{}
type A struct{}
var syncPool = sync.Pool{
New: func() interface{} { return new(A) },
}
var chanPool ChanPool = make(chan interface{}, 100)
func get() interface{} {
select {
case e := <-chanPool:
return e
default:
return new(A)
}
}
func put(a interface{}) {
select {
case chanPool <- a:
default:
}
return
}
func BenchmarkPool(b *testing.B) {
for i := 0; i < 20; i++ {
syncPool.Put(new(A))
}
b.ResetTimer()
for i := 0; i < b.N; i++ {
syncPool.Put(syncPool.Get())
}
}
func BenchmarkBenchmarkChanPool(b *testing.B) {
for i := 0; i < 20; i++ {
put(new(A))
}
b.ResetTimer()
for i := 0; i < b.N; i++ {
a := get()
put(a)
}
}
// goos: darwin
// goarch: amd64
// pkg: test
// BenchmarkPool-8 100000000 22.5 ns/op 0 B/op 0 allocs/op
// BenchmarkBenchmarkChanPool-8 20000000 78.4 ns/op 0 B/op 0 allocs/op
// PASS
// coverage: 0.0% of statements
// ok test 3.941s
// Success: Benchmarks passed.
|