```
func main() {
ctx, cancel := context.WithTimeout(context.TODO(), time.Second*3)
defer cancel() // 防止任务比超时时间短导致资源未释放
// 启动协程
go task(ctx)
// 主协程需要等待,否则直接退出
time.Sleep(time.Second * 4)
}
func task(ctx context.Context) {
ch := make(chan struct{}, 0)
// 真正的任务协程
go func() {
// 模拟两秒耗时任务
time.Sleep(time.Second * 2)
ch <- struct{}{}
}()
select {
case <-ch:
fmt.Println("done")
case <-ctx.Done():
fmt.Println("timeout")
}
}
```
我这个WithTimeout的上下文时间超时了,为啥还会打印任务处理完成这句话?
更多评论
task没有超时。把task sleep 时间改成大于4s,就可以看到超时了。
```golang
package main
import (
"context"
"fmt"
"time"
)
func main() {
ctx, cancel := context.WithTimeout(context.TODO(), time.Second*3)
defer cancel() // 防止任务比超时时间短导致资源未释放
// 启动协程
go task(ctx)
// 主协程需要等待,否则直接退出
time.Sleep(time.Second * 4)
}
func task(ctx context.Context) {
ch := make(chan struct{}, 0)
// 真正的任务协程
go func() {
// 模拟10秒耗时任务 这里修改成大于4秒
time.Sleep(time.Second * 10)
ch <- struct{}{}
}()
select {
case <-ch:
fmt.Println("done")
case <-ctx.Done():
fmt.Println("timeout")
}
}
```
#3