-
data:image/s3,"s3://crabby-images/2095c/2095c3e272cc6c36ce13b855a444f9ad1a5f1fba" alt=""
@ dextryz
2024-01-31 22:29:07
Lexical confinement involves using lexical scope to expose only the correct data and concurrency primitives for multiple concurrent processes to use. It makes it impossible to do the wrong thing.
```go
chanOwner := func() <-chan int {
// 1
results := make(chan int, 5)
go func() {
defer close(results)
for i := 0; i <= 5; i++ {
results <- i
}
}()
return results
}
// 3
consumer: = func(results <-chan int) {
for result := range results {
fmt.Printf("Received: %d\n", result)
}
fmt.Println("Done receiving!")
}
// 2
results := chanOwner()
consumer(results)
```
1. Here we instantiate the channel within the lexical scope of the `chanOwner` function. This limits the scope of the write aspect of the `results` channel to the closure defined below it. In other words, it confines the write aspect of this channel to prevent other goroutines from writing to it.
2. Here we receive the read aspect of the channel and we're able to pass it into the consumer, which can do nothing but read from it. Once again this confines the main goroutine to a read-only view of the channel.
3. Here we receive a read-only copy of an `int` channel. By declaring that the only usage we require is read access, we confine usage of the channel within the `consumer` function to only reads.
Because of the lexical scope, we've made it impossible to do the wrong thing, and so we don’t need to [synchronize memory access](202306081121.md) or share data through communication.
Why pursue confinement if we have synchronization available to us? The answer is improved performance and reduced cognitive load on developers. Synchronization comes with a cost, and if you can avoid it you won’t have any critical sections, and therefore you won’t have to pay the cost of synchronizing them.