golang sync.Pool 指针数据覆盖问题
package main
import (
"fmt"
"sync"
)
type ExampleStruct struct {
Field1 string
Field2 int
}
var pool = sync.Pool{
New: func() interface{} {
return &ExampleStruct{}
},
}
func getFromPool() *ExampleStruct {
return pool.Get().(*ExampleStruct)
}
func putInPool(es *ExampleStruct) {
pool.Put(es)
}
func main() {
// 获取实例
es := getFromPool()
es.Field1 = "Hello"
es.Field2 = 42
fmt.Printf("Before: %#v\n", es)
// 返回池中
putInPool(es)
// 再次获取实例并修改
es = getFromPool()
es.Field1 = "World"
es.Field2 = 1337
// 返回池中之前的值将被覆盖,因为我们没有重置Field1和Field2
putInPool(es)
// 获取实例并打印
es = getFromPool()
fmt.Printf("After: %#v\n", es)
// 返回池中
putInPool(es)
}
在这个修正后的代码示例中,我们在将对象放回池中之前,正确地重置了ExampleStruct
的字段。这样可以确保每次从池中获取对象后,它处于可接受的初始状态,避免了数据覆盖的问题。
评论已关闭