我的任务是在 Go 中模拟竞争条件。但是,我遇到了一个我无法解释的案例。下面的代码片段
package main
import (
"fmt"
"sync"
)
var value, totalOps, totalIncOps, totalDecOps int
func main() {
fmt.Println("Total value: ", simulateRacing(10000))
fmt.Print("Total iterations: ", totalOps)
fmt.Print(" of it, increments: ", totalIncOps)
fmt.Print(", decrements: ", totalDecOps)
}
// Function to simulate racing condition
func simulateRacing(iterationsNumber int) int {
value = 0
// Define WaitGroup
var waitGroup sync.WaitGroup
waitGroup.Add(2)
go increaseByOne(iterationsNumber, &waitGroup)
go decreaseByOne(iterationsNumber, &waitGroup)
waitGroup.Wait()
return value
}
// Function to do N iterations, each time increasing value by 1
func increaseByOne(N int, waitGroup *sync.WaitGroup) {
for i := 0; i < N; i++ {
value++
// Collecting stats
totalOps++
totalIncOps++
}
waitGroup.Done()
}
// Same with decrease
func decreaseByOne(N int, waitGroup *sync.WaitGroup) {
for i := 0; i < N; i++ {
value--
// Collecting stats
totalOps++
totalDecOps++
}
waitGroup.Done()
}
以我的理解,它应该每次都产生一致的(确定性的)结果,因为我们正在执行相同数量的递增和递减,WaitGroup 确保两个函数都将执行。
但是,每次输出都不同,只有递增和递减计数器保持不变。 总值:2113 总迭代:17738 次,增量:10000,减量:10000 和 总值:35 总迭代:10741 次,增量:10000,减量:10000
也许你能帮我解释一下这种行为?为什么总迭代计数器和值本身是不确定的?
慕标琳琳
弑天下
相关分类