在他对这个问题的回答中: Golang for Windows 不稳定的行为? 用户@distributed 建议在并发 goroutine 上锁定/同步对共享变量的访问。
我怎样才能做到这一点?
更多关于这个问题:
views
我同时在多个 goroutine上运行此代码(返回的带有闭包的函数):
func makeHomeHandler() func(c *http.Conn, r *http.Request) {
views := 1
return func(c *http.Conn, r *http.Request) {
fmt.Fprintf(c, "Counting %s, %d so far.", r.URL.Path[1:], views)
views++
}
}
看起来 IO 函数需要时间,结果我得到了这种输出:
Counting monkeys, 5 so far.
Counting monkeys, 5 so far.
Counting monkeys, 5 so far.
Counting monkeys, 8 so far.
Counting monkeys, 8 so far.
Counting monkeys, 8 so far.
Counting monkeys, 11 so far.
它递增得很好,但是当它被打印出来时,我可以看到打印+递增操作根本不是原子的。
如果我将其更改为:
func makeHomeHandler() func(c *http.Conn, r *http.Request) {
views := 0
return func(c *http.Conn, r *http.Request) {
views++
// I can only hope that other goroutine does not increment the counter
// at this point, i.e., right after the previous line and before the
// next one are executed!
views_now := views
fmt.Fprintf(c, "Counting %s, %d so far.", r.URL.Path[1:], views_now)
}
}
它似乎工作正常,但我不完全确定它是否最终不会失败......