1

为什么这段代码会导致数据竞争?我已经使用了原子添加。

package main

import (
    "sync/atomic"
    "time"
)

var a int64

func main() {
    for {
        if a < 100 {
            atomic.AddInt64(&a, 1)
            go run()
        }
    }
}

func run() {
    <-time.After(5 * time.Second)
    atomic.AddInt64(&a, -1)
}

我用这段代码运行命令go run --race并得到:

==================
WARNING: DATA RACE
Write at 0x000001150f30 by goroutine 8:
  sync/atomic.AddInt64()
      /usr/local/Cellar/go/1.11.2/libexec/src/runtime/race_amd64.s:276 +0xb
  main.run()
      /Users/flask/test.go:22 +0x6d

Previous read at 0x000001150f30 by main goroutine:
  main.main()
      /Users/flask/test.go:12 +0x3a

Goroutine 8 (running) created at:
  main.main()
      /Users/flask/test.go:15 +0x75
==================

你能帮我解释一下吗?以及如何解决此警告?谢谢!

4

1 回答 1

4

您没有在访问变量的所有地方都使用该atomic包。所有访问都必须同步到同时从多个 goroutine 访问的变量,包括读取

for {
    if value := atomic.LoadInt64(&a); value < 100 {
        atomic.AddInt64(&a, 1)
        go run()
    }
}

随着这种变化,竞争条件消失了。

如果您只想检查该值,您甚至不需要将其存储在变量中,因此您可以简单地执行以下操作:

for {
    if atomic.LoadInt64(&a) < 100 {
        atomic.AddInt64(&a, 1)
        go run()
    }
}
于 2019-01-08T11:07:34.200 回答