3 回答
TA贡献1785条经验 获得超8个赞
您可以使用上下文来获取超时和取消,而不需要任何额外的 API。
type runner struct{}
func (r *runner) StartProcessing(ctx context.Context) {
go func() {
for {
select {
case <-ctx.Done():
return
default:
}
fmt.Println("doing stuff")
time.Sleep(1 * time.Second)
}
}()
}
这使您可以灵活地设置超时或随时取消它。您还可以利用现有的上下文,这些上下文可能希望在您不知情的情况下更快地超时或取消。
// normal timeout after 10 seconds
ctx, cancel := context.WithTimeout(context.Background(), 10*time.Second)
defer cancel()
run.StartProcessing(ctx)
// decide to cancel early
time.Sleep(3 * time.Second)
cancel()
TA贡献1780条经验 获得超1个赞
你可能会尝试这样的事情......你可能不需要原子,但这有效。
package main
import (
"fmt"
"time"
"sync/atomic"
)
var trip = int64(0)
type runner struct{}
func (r *runner) StopProcessing() {
atomic.AddInt64(&trip, 1)
}
func (r *runner) StartProcessing() {
go func() {
for {
if trip > 0 {
break
}
fmt.Println("doing stuff")
time.Sleep(1 * time.Second)
}
}()
}
func newRunner() *runner {
return &runner{}
}
func main() {
run := newRunner()
run.StartProcessing()
// now wait 4 seconds and the kill the process
time.Sleep(4 * time.Second)
run.StopProcessing()
}
TA贡献2016条经验 获得超9个赞
通过使用通道来发出何时中断 goroutine 的信号。您的代码的相关部分看起来像这样
type runner struct {
stop chan bool
}
func (r *runner) StopProcessing() {
r.stop <- true
}
func (r *runner) StartProcessing() {
r.stop = make(chan bool)
go func() {
for {
fmt.Println("doing stuff")
time.Sleep(1 * time.Second)
select {
case _ = <-r.stop:
close(r.stop)
return
default:
}
}
}()
}
您可以在此处查看完整示例https://play.golang.org/p/OUn18Cprs0I
- 3 回答
- 0 关注
- 135 浏览
添加回答
举报