• golang超时控制(转)


    Go 实现超时退出

    之前手写rpc框架的时候,吃多了网络超时处理的苦,今天偶然发现了实现超时退出的方法,MARK

    1. func AsyncCall() {
    2. ctx, cancel := context.WithTimeout(context.Background(), time.Duration(time.Millisecond*800))
    3. defer cancel()
    4. go func(ctx context.Context) {
    5. // 发送HTTP请求
    6. }()
    7. select {
    8. case <-ctx.Done():
    9. fmt.Println("call successfully!!!")
    10. return
    11. case <-time.After(time.Duration(time.Millisecond * 900)):
    12. fmt.Println("timeout!!!")
    13. return
    14. }
    15. }
    16. //2
    17. func AsyncCall() {
    18. ctx, cancel := context.WithTimeout(context.Background(), time.Duration(time.Millisecond * 800))
    19. defer cancel()
    20. timer := time.NewTimer(time.Duration(time.Millisecond * 900))
    21. go func(ctx context.Context) {
    22. // 发送HTTP请求
    23. }()
    24. select {
    25. case <-ctx.Done():
    26. timer.Stop()
    27. timer.Reset(time.Second)
    28. fmt.Println("call successfully!!!")
    29. return
    30. case <-timer.C:
    31. fmt.Println("timeout!!!")
    32. return
    33. }
    34. }
    35. //3
    36. func AsyncCall() {
    37. ctx := context.Background()
    38. done := make(chan struct{}, 1)
    39. go func(ctx context.Context) {
    40. // 发送HTTP请求
    41. done <- struct{}{}
    42. }()
    43. select {
    44. case <-done:
    45. fmt.Println("call successfully!!!")
    46. return
    47. case <-time.After(time.Duration(800 * time.Millisecond)):
    48. fmt.Println("timeout!!!")
    49. return
    50. }
    51. }

    转自:Go语言实现超时的三种方法实例

    前言

    日常开发中我们大概率会遇到超时控制的场景,比如一个批量耗时任务、网络请求等;一个良好的超时控制可以有效的避免一些问题(比如 goroutine 泄露、资源不释放等)。

    Timer

    在 go 中实现超时控制的方法非常简单,首先第一种方案是 Time.After(d Duration):

    1. func main() {
    2. fmt.Println(time.Now())
    3. x := <-time.After(3 * time.Second)
    4. fmt.Println(x)
    5. }

    output

    1. 2021-10-27 23:06:04.304596 +0800 CST m=+0.000085653
    2. 2021-10-27 23:06:07.306311 +0800 CST m=+3.001711390


    time.After() 会返回一个 Channel,该 Channel 会在延时 d 段时间后写入数据。

    有了这个特性就可以实现一些异步控制超时的场景:

    1. func main() {
    2. ch := make(chan struct{}, 1)
    3. go func() {
    4. fmt.Println("do something...")
    5. time.Sleep(4*time.Second)
    6. ch<- struct{}{}
    7. }()
    8. select {
    9. case <-ch:
    10. fmt.Println("done")
    11. case <-time.After(3*time.Second):
    12. fmt.Println("timeout")
    13. }
    14. }

    这里假设有一个 goroutine 在跑一个耗时任务,利用 select 有一个 channel 获取到数据便退出的特性,当 goroutine 没有在有限时间内完成任务时,主 goroutine 便会退出,也就达到了超时的目的。

    output:

    1. do something...
    2. timeout

    timer.After 取消,同时 Channel 发出消息,也可以关闭通道等通知方式。

    注意 Channel 最好是有大小,防止阻塞 goroutine ,导致泄露。

    Context

    第二种方案是利用 context,go 的 context 功能强大;
    利用 context.WithTimeout() 方法会返回一个具有超时功能的上下文。

    1. ch := make(chan string)
    2. timeout, cancel := context.WithTimeout(context.Background(), 3*time.Second)
    3. defer cancel()
    4. go func() {
    5. time.Sleep(time.Second * 4)
    6. ch <- "done"
    7. }()
    8. select {
    9. case res := <-ch:
    10. fmt.Println(res)
    11. case <-timeout.Done():
    12. fmt.Println("timout", timeout.Err())
    13. }

    同样的用法,context 的 Done() 函数会返回一个 channel,该 channel 会在当前工作完成或者是上下文取消生效。

    timout context deadline exceeded

    通过 timeout.Err() 也能知道当前 context 关闭的原因。

    goroutine 传递 context

    使用 context 还有一个好处是,可以利用其天然在多个 goroutine 中传递的特性,让所有传递了该 context 的 goroutine 同时接收到取消通知,这点在多 go 中应用非常广泛。

    1. func main() {
    2. total := 12
    3. var num int32
    4. log.Println("begin")
    5. ctx, cancelFunc := context.WithTimeout(context.Background(), 3*time.Second)
    6. for i := 0; i < total; i++ {
    7. go func() {
    8. //time.Sleep(3 * time.Second)
    9. atomic.AddInt32(&num, 1)
    10. if atomic.LoadInt32(&num) == 10 {
    11. cancelFunc()
    12. }
    13. }()
    14. }
    15. for i := 0; i < 5; i++ {
    16. go func() {
    17. select {
    18. case <-ctx.Done():
    19. log.Println("ctx1 done", ctx.Err())
    20. }
    21. for i := 0; i < 2; i++ {
    22. go func() {
    23. select {
    24. case <-ctx.Done():
    25. log.Println("ctx2 done", ctx.Err())
    26. }
    27. }()
    28. }
    29. }()
    30. }
    31. time.Sleep(time.Second*5)
    32. log.Println("end", ctx.Err())
    33. fmt.Printf("执行完毕 %v", num)
    34. }

    在以上例子中,无论 goroutine 嵌套了多少层,都是可以在 context 取消时获得消息(当然前提是 context 得传递走)

    某些特殊情况需要提前取消 context 时,也可以手动调用 cancelFunc() 函数。

    Gin 中的案例

    Gin 提供的 Shutdown(ctx) 函数也充分使用了 context。

    1. ctx, cancel := context.WithTimeout(context.Background(), 10*time.Second)
    2. defer cancel()
    3. if err := srv.Shutdown(ctx); err != nil {
    4. log.Fatal("Server Shutdown:", err)
    5. }
    6. log.Println("Server exiting")

    比如以上代码便是超时等待 10s 进行 Gin 的资源释放,实现的原理也和上文的例子相同。

    总结

    因为写 go 的时间不长,所以自己写了一个练手的项目:一个接口压力测试工具。

    其中一个很常见的需求就是压测 N 秒后退出,这里正好就应用到了相关知识点,同样是初学 go 的小伙伴可以参考。

    ptg/duration.go at d0781fcb5551281cf6d90a86b70130149e1525a6 · crossoverJie/ptg · GitHub

    以上内容转自:golang超时控制

    作者: crossoverJie

    出处: https://crossoverjie.top

    其他介绍超时设置的不错的文章:

    Golang 设置操作超时的一种方法

    Go语言实现超时的3种方法

    by the way

    这里用到了一个select 语法,现在初步对比下来,如果select 里监听了超时时间,比如 <-time.After(3 * time.Second) 或者 <-timeout.Done(),那么可以不用在 select 外面加层循环。有时间学习一下这个 select 语法

  • 相关阅读:
    浅析分布式数据库
    AOP之Java动态代理
    设计模式 -- 1:简单工厂模式
    IO和进程day07(IPC、管道、信号)
    selenium+python自动化安装驱动 碰到的问题
    网络运维Day18
    QQ怎么上传大于1G的视频啊?视频压缩这样做
    「Flask」路由+视图函数
    java常见微服务架构
    Java类加载
  • 原文地址:https://blog.csdn.net/qq_41767116/article/details/126346221