duangang1991 2019-05-17 22:42
浏览 39
已采纳

用于取消飞行中例程的golang设计模式

I am a golang newbie who is trying to understand the correct design pattern for this problem. My current solution seems very verbose, and I'm not sure what the better approach would be.

I am trying to design a system that:

  1. executes N goroutines
  2. returns the result of each goroutine as soon as it is available
  3. if a goroutine returns a particular value, it should kill other goroutines will cancel.

The goal: I want to kick off a number of goroutines, but I want to cancel the routines if one routine returns a particular result.

I'm trying to understand if my code is super "smelly" or if this is the prescribed way of doing things. I still don't have a great feeling for go, so any help would be appreciated.

Here is what I've written:

package main

import (
    "context"
    "fmt"
    "time"
)

func main() {

    ctx := context.Background()
    ctx, cancel := context.WithCancel(ctx)

    fooCheck := make(chan bool)
    barCheck := make(chan bool)

    go foo(ctx, 3000, fooCheck)
    go bar(ctx, 5000, barCheck)

    for fooCheck != nil ||
        barCheck != nil {
        select {
        case res, ok := <-fooCheck:
            if !ok {
                fooCheck = nil
                continue
            }
            if res == false {
                cancel()
            }
            fmt.Printf("result of foocheck: %t
", res)
        case res, ok := <-barCheck:
            if !ok {
                barCheck = nil
                continue
            }
            fmt.Printf("result of barcheck: %t
", res)
        }
    }
    fmt.Printf("here we are at the end of the loop, ready to do some more processing...")
}

func foo(ctx context.Context, pretendWorkTime int, in chan<- bool) {
    fmt.Printf("simulate doing foo work and pass ctx down to cancel down the calltree
")
    time.Sleep(time.Millisecond * time.Duration(pretendWorkTime))

    select {
    case <-ctx.Done():
        fmt.Printf("

We cancelled this operation!

")
        break
    default:
        fmt.Printf("we have done some foo work!
")
        in <- false
    }
    close(in)
}

func bar(ctx context.Context, pretendWorkTime int, in chan<- bool) {
    fmt.Printf("simulate doing bar work and pass ctx down to cancel down the calltree
")
    time.Sleep(time.Millisecond * time.Duration(pretendWorkTime))

    select {
    case <-ctx.Done():
        fmt.Printf("

We cancelled the bar operation!

")
        break
    default:
        fmt.Printf("we have done some bar work!
")
        in <- true
    }
    close(in)
}

(play with the code here: https://play.golang.org/p/HAA-LIxWNt0)

The output works as expected, but I'm afraid I'm making some decision which will blow off my foot later.

  • 写回答

2条回答 默认 最新

  • duandanbeng1829 2019-05-20 08:02
    关注

    I would use a single channel to communicate results, so it's much easier to gather the results and it "scales" automatically by its nature. If you need to identify the source of a result, simply use a wrapper which includes the source. Something like this:

    type Result struct {
        ID     string
        Result bool
    }
    

    To simulate "real" work, the workers should use a loop doing their work in an iterative manner, and in each iteration they should check the cancellation signal. Something like this:

    func foo(ctx context.Context, pretendWorkMs int, resch chan<- Result) {
        log.Printf("foo started...")
        for i := 0; i < pretendWorkMs; i++ {
            time.Sleep(time.Millisecond)
            select {
            case <-ctx.Done():
                log.Printf("foo terminated.")
                return
            default:
            }
        }
        log.Printf("foo finished")
        resch <- Result{ID: "foo", Result: false}
    }
    

    In our example the bar() is the same just replace all foo word with bar.

    And now executing the jobs and terminating the rest early if one does meet our expectation looks like this:

    ctx, cancel := context.WithCancel(context.Background())
    defer cancel()
    
    resch := make(chan Result, 2)
    
    log.Println("Kicking off workers...")
    go foo(ctx, 3000, resch)
    go bar(ctx, 5000, resch)
    
    for i := 0; i < cap(resch); i++ {
        result := <-resch
        log.Printf("Result of %s: %v", result.ID, result.Result)
        if !result.Result {
            cancel()
            break
        }
    }
    log.Println("Done.")
    

    Running this app will output (try it on the Go Playground):

    2009/11/10 23:00:00 Kicking off workers...
    2009/11/10 23:00:00 bar started...
    2009/11/10 23:00:00 foo started...
    2009/11/10 23:00:03 foo finished
    2009/11/10 23:00:03 Result of foo: false
    2009/11/10 23:00:03 Done.
    

    Some things to note. If we terminate early due to unexpected result, the cancel() function will be called, and we break out form the loop. It may be the rest of the workers also complete their work concurrently and send their result, which will not be a problem as we used a buffered channel, so their send will not block and they will end properly. Also, if they don't complete concurrently, they check ctx.Done() in their loop, and they terminate early, so the goroutines are cleaned up nicely.

    Also note that the output of the above code does not print bar terminated. This is because the main() function terminates right after the loop, and once the main() function ends, it does not wait for other non-main goroutines to complete. For details, see No output from goroutine in Go. If the app would not terminate immediately, we would see that line printed too. If we add a time.Sleep() at the end of main():

    log.Println("Done.")
    time.Sleep(3 * time.Millisecond)
    

    Output will be (try it on the Go Playground):

    2009/11/10 23:00:00 Kicking off workers...
    2009/11/10 23:00:00 bar started...
    2009/11/10 23:00:00 foo started...
    2009/11/10 23:00:03 foo finished
    2009/11/10 23:00:03 Result of foo: false
    2009/11/10 23:00:03 Done.
    2009/11/10 23:00:03 bar terminated.
    

    Now if you must wait for all workers to end either "normally" or "early" before moving on, you can achieve that in many ways.

    One way is to use a sync.WaitGroup. For an example, see Prevent the main() function from terminating before goroutines finish in Golang. Another way would be to have each worker send a Result no matter how they end, and Result could contain the termination condition, e.g. normal or aborted. And the main() goroutine could continue the receive loop until it receives n values from resch. If this solution is chosen, you must ensure each worker sends a value (even if a panic occurs) to not block the main() in such cases (e.g. with using defer).

    本回答被题主选为最佳回答 , 对您是否有帮助呢?
    评论
查看更多回答(1条)

报告相同问题?

悬赏问题

  • ¥50 comfyui下连接animatediff节点生成视频质量非常差的原因
  • ¥20 有关区间dp的问题求解
  • ¥15 多电路系统共用电源的串扰问题
  • ¥15 slam rangenet++配置
  • ¥15 有没有研究水声通信方面的帮我改俩matlab代码
  • ¥15 ubuntu子系统密码忘记
  • ¥15 信号傅里叶变换在matlab上遇到的小问题请求帮助
  • ¥15 保护模式-系统加载-段寄存器
  • ¥15 电脑桌面设定一个区域禁止鼠标操作
  • ¥15 求NPF226060磁芯的详细资料