在Go语言中,有多种方法可以实现并发编程的同步。以下是一些常用的同步机制:
sync
包提供了Mutex
结构体和相关的方法,如Lock()
、Unlock()
等。使用Mutex时,需要注意避免死锁问题。import (
"sync"
)
var mu sync.Mutex
var counter int
func increment() {
mu.Lock()
counter++
mu.Unlock()
}
sync
包提供了RWMutex
结构体和相关的方法,如RLock()
、RUnlock()
、Lock()
、Unlock()
等。import (
"sync"
)
var rwMu sync.RWMutex
var sharedData map[string]string
func readData(key string) {
rwMu.RLock()
defer rwMu.RUnlock()
value, ok := sharedData[key]
if !ok {
fmt.Println("Key not found")
} else {
fmt.Println("Value:", value)
}
}
func writeData(key, value string) {
rwMu.Lock()
defer rwMu.Unlock()
sharedData[key] = value
}
sync
包提供了WaitGroup
结构体和相关的方法,如Add()
、Done()
、Wait()
等。import (
"fmt"
"sync"
"time"
)
func worker(wg *sync.WaitGroup, id int) {
defer wg.Done()
fmt.Printf("Worker %d starting\n", id)
time.Sleep(time.Second)
fmt.Printf("Worker %d done\n", id)
}
func main() {
var wg sync.WaitGroup
for i := 1; i <= 5; i++ {
wg.Add(1)
go worker(&wg, i)
}
wg.Wait()
fmt.Println("All workers done")
}
fmt
包提供了make()
函数用于创建Channel。import (
"fmt"
"time"
)
func producer(ch chan<- int) {
for i := 0; i < 5; i++ {
ch <- i
time.Sleep(time.Second)
}
close(ch)
}
func consumer(ch <-chan int) {
for num := range ch {
fmt.Println("Received:", num)
time.Sleep(2 * time.Second)
}
}
func main() {
ch := make(chan int, 5)
go producer(ch)
consumer(ch)
}
这些同步机制可以根据具体场景和需求进行组合使用,以实现更复杂的并发编程模式。