counter: handle racing situation with mutex

This commit is contained in:
vinchent 2024-09-21 19:43:09 +02:00
parent ea6f225992
commit 572c8033f6
2 changed files with 26 additions and 1 deletions

View File

@ -1,10 +1,15 @@
package counter
import "sync"
type Counter struct {
count int
mutex sync.Mutex
}
func (c *Counter) Inc() {
c.mutex.Lock()
defer c.mutex.Unlock()
c.count++
}

View File

@ -1,6 +1,9 @@
package counter
import "testing"
import (
"sync"
"testing"
)
func assertCounter(t testing.TB, got Counter, want int) {
t.Helper()
@ -19,4 +22,21 @@ func TestCounter(t *testing.T) {
assertCounter(t, counter, 3)
})
t.Run("it runs safely concurrently", func(t *testing.T) {
wantedCount := 1000
counter := Counter{}
var wg sync.WaitGroup
wg.Add(wantedCount)
for i := 0; i < wantedCount; i++ {
go func() {
counter.Inc()
wg.Done()
}()
}
wg.Wait()
assertCounter(t, counter, wantedCount)
})
}