golang中的並發和並行
golang中默認使用一個CPU,這時程序無法並發,隻能是並發。因為始終隻有一個CPU在運行。
package main import ( "fmt" "runtime" ) //並發和並行 var quit chan int = make(chan int) func loop() { for i := 0; i < 100; i++ { //為瞭觀察,跑多些 fmt.Printf("%d ", i) } quit <- 0 } func main() { runtime.GOMAXPROCS(2) // 最多使用2個核 go loop() go loop() for i := 0; i < 2; i++ { <- quit } }
runtime.GOMAXPROCS(2) 設置使用2個CPU,這才真正是並行。
補充:Go多核並行化
通過goroutine創建相同邏輯CPU核心個數的協程,將求和列表分段,分別計算後匯總。
通過runtime.NUMCPU()獲得邏輯CPU個數,並計算每個協程中計算列表的下標,計算完成後,向channel中寫入1。
通過向channel中讀取int的個數,判斷協程運行是否全部完成,之後求和即可。
package main import ( "fmt" "runtime" ) type Vector []float64 func (v Vector) DoSome(p, i, n int, u Vector, c chan int) { sum := 0.0 for ; i < n; i++ { sum += u[i] } v[p] = sum c <- 1 } const NCPU = 4 func (v Vector) DoAll(u Vector) { c := make(chan int, NCPU) for i := 0; i < NCPU; i++ { fmt.Println(i, i*len(u)/NCPU, (i+1)*len(u)/NCPU) go v.DoSome(i, i*len(u)/NCPU, (i+1)*len(u)/NCPU, u, c) } for i := 0; i < NCPU; i++ { <-c } sum := 0.0 for _, value := range v { sum += value } fmt.Println(sum) } func main() { u := make([]float64, 64) for i := 0; i < 64; i++ { u[i] = float64(i) } var v Vector = make([]float64, NCPU) v.DoAll(u) ncpu := runtime.NumCPU() fmt.Println(ncpu) }
以上為個人經驗,希望能給大傢一個參考,也希望大傢多多支持WalkonNet。如有錯誤或未考慮完全的地方,望不吝賜教。
推薦閱讀:
- Go緩沖channel和非緩沖channel的區別說明
- go select的用法
- 示例剖析golang中的CSP並發模型
- golang coroutine 的等待與死鎖用法
- Go語言入門學習之Channel通道詳解