我正在尝试熟悉 go 例程。我编写了以下简单程序来将 1-10 的数字平方存储在地图中。func main() { squares := make(map[int]int) var wg sync.WaitGroup for i := 1; i <= 10; i++ { go func(n int, s map[int]int) { s[n] = n * n }(i, squares) } wg.Wait() fmt.Println("Squares::: ", squares)}最后,它打印一张空地图。但是在 go 中,地图是通过引用传递的。为什么打印一张空地图?
2 回答
HUWWW
TA贡献1874条经验 获得超12个赞
正如评论中指出的那样,您需要同步对地图的访问并且您的使用sync.WaitGroup不正确。
试试这个:
func main() {
squares := make(map[int]int)
var lock sync.Mutex
var wg sync.WaitGroup
for i := 1; i <= 10; i++ {
wg.Add(1) // Increment the wait group count
go func(n int, s map[int]int) {
lock.Lock() // Lock the map
s[n] = n * n
lock.Unlock()
wg.Done() // Decrement the wait group count
}(i, squares)
}
wg.Wait()
fmt.Println("Squares::: ", squares)
}
- 2 回答
- 0 关注
- 103 浏览
添加回答
举报
0/150
提交
取消