限制在循环中选择任务的goroutine数量

huangapple go评论118阅读模式
英文:

Limit number of goroutine picking task in loop

问题

我正在运行一个循环,循环次数为24次,每次调用一个下游函数。这个下游函数不能同时处理由生成的go协程提供的所有工作,我想限制只有特定数量(3或4个)的go协程被执行。

示例代码如下,如果有人能指导我正确的模式来实现这个目标,将会非常有帮助:

  1. for i := 0; i < 24; i++ {
  2. go callSomeDownStream()
  3. }
英文:

I am running a loop - 24 times which calls a downstream that is not able to handle all the work supplied concurrently by the go-routines spawned, I want to limit that such that only a specific number (3 or 4) of go-routine gets executed.
Sample code looks like below, if anyone can point me to the right pattern to fulfil this would be a great help

  1. for i:=0; i&lt;24; i++ {
  2. go callSomeDownStream()
  3. }

答案1

得分: 2

你可以使用空结构体的通道来控制并发工作协程的数量。

  1. const MAX_CONCURRENT_JOBS = 3
  2. func main() {
  3. waitChan := make(chan struct{}, MAX_CONCURRENT_JOBS)
  4. for i := 0; i < 24; i++ {
  5. waitChan <- struct{}{}
  6. go func() {
  7. callSomeDownStream()
  8. <-waitChan
  9. }()
  10. }
  11. }

这段代码中,通过创建一个容量为MAX_CONCURRENT_JOBS的空结构体通道waitChan来控制并发工作的数量。在循环中,每次向waitChan通道发送一个空结构体,表示有一个工作协程开始执行。然后,使用匿名函数启动一个协程来调用callSomeDownStream()函数,并在协程结束时从waitChan通道接收一个空结构体,表示一个工作协程结束。通过控制waitChan通道的容量,可以限制并发执行的协程数量。

英文:

You can use the channel of empty structs to control the number of concurrent worker goroutines

  1. const MAX_CONCURRENT_JOBS = 3
  2. func main() {
  3. waitChan := make(chan struct{}, MAX_CONCURRENT_JOBS)
  4. for i:=0; i &lt; 24; i++ {
  5. waitChan &lt;- struct{}{}
  6. go func() {
  7. callSomeDownStream()
  8. &lt;-waitChan
  9. }()
  10. }
  11. }

答案2

得分: 1

  1. func callSomeDownStream(wg *sync.WaitGroup, queue chan struct{}) {
  2. defer func() {
  3. <-queue
  4. wg.Done()
  5. }()
  6. // 做一些操作
  7. }
  8. func main() {
  9. wg := sync.WaitGroup{}
  10. queue := make(chan struct{}, 3)
  11. for i := 0; i < 24; i++ {
  12. queue <- struct{}{}
  13. wg.Add(1)
  14. go callSomeDownStream(&wg, queue)
  15. }
  16. wg.Wait()
  17. close(queue)
  18. }

以上是要翻译的代码。

英文:
  1. func callSomeDownStream(wg *sync.WaitGroup, queue chan struct{}) {
  2. defer func() {
  3. &lt;-queue
  4. wg.Done()
  5. }()
  6. // do something
  7. }
  8. func main() {
  9. wg := sync.WaitGroup{}
  10. queue := make(chan struct{}, 3)
  11. for i := 0; i &lt; 24; i++ {
  12. queue &lt;- struct{}{}
  13. wg.Add(1)
  14. go callSomeDownStream(&amp;wg, queue)
  15. }
  16. wg.Wait()
  17. close(queue)
  18. }

huangapple
  • 本文由 发表于 2022年10月9日 16:03:51
  • 转载请务必保留本文链接:https://go.coder-hub.com/74003057.html
匿名

发表评论

匿名网友

:?: :razz: :sad: :evil: :!: :smile: :oops: :grin: :eek: :shock: :???: :cool: :lol: :mad: :twisted: :roll: :wink: :idea: :arrow: :neutral: :cry: :mrgreen:

确定