Stateful Goroutines
In Go, stateful goroutines are a pattern where a single goroutine owns a piece of state, and all access to that state is done via channels. This avoids the need for mutexes and helps prevent race conditions.
Key Points
- Stateful goroutines encapsulate state and control access to it via channels.
- This pattern avoids using mutexes, which can sometimes be more complex to manage.
- Separate channels are often used for read and write operations to make the API clear.
- The state is owned and managed by a single goroutine, preventing race conditions.
- Communication with the stateful goroutine is synchronous.
Stateful Goroutine Example
This example shows a goroutine that owns a counter. Other goroutines can read or write to this counter using two separate channels.
package main
import (
"fmt"
"time"
"math/rand"
)
type ReadOp struct {
key int
resp chan int
}
type WriteOp struct {
key int
val int
resp chan bool
}
func main() {
var readOps int64
var writeOps int64
reads := make(chan ReadOp)
writes := make(chan WriteOp)
go func() {
var state = make(map[int]int)
for {
select {
case read := <-reads:
read.resp <- state[read.key]
case write := <-writes:
state[write.key] = write.val
write.resp <- true
}
}
}()
for r := 0; r < 100; r++ {
go func() {
for {
read := ReadOp{
key: rand.Intn(5),
resp: make(chan int)}
reads <- read
<-read.resp
atomic.AddInt64(&readOps, 1)
time.Sleep(time.Millisecond)
}
}()
}
for w := 0; w < 10; w++ {
go func() {
for {
write := WriteOp{
key: rand.Intn(5),
val: rand.Intn(100),
resp: make(chan bool)}
writes <- write
<-write.resp
atomic.AddInt64(&writeOps, 1)
time.Sleep(time.Millisecond)
}
}()
}
time.Sleep(time.Second)
readOpsFinal := atomic.LoadInt64(&readOps)
fmt.Println("readOps:", readOpsFinal)
writeOpsFinal := atomic.LoadInt64(&writeOps)
fmt.Println("writeOps:", writeOpsFinal)
}readOps: ...
writeOps: ...Stateful Goroutine Channels
| Channel | Purpose | Example |
|---|---|---|
| Read Channel | To request and receive the current state. | reads := make(chan ReadOp) |
| Write Channel | To send a new value to update the state. | writes := make(chan WriteOp) |
| Response Channel | Included in the operation struct to receive a response. | resp chan int or resp chan bool |