我们经常想在将来的某个时间点执行Go代码,或者在某个时间间隔重复执行。 Go的内置计时器和自动接收器功能使这两项任务变得容易。我们先看看定时器,然后再看看行情。
定时器代表未来的一个事件。可告诉定时器您想要等待多长时间,它提供了一个通道,在当将通知时执行对应程序。在这个示例中,计时器将等待2
秒钟。
<-timer1.C
阻塞定时器的通道C
,直到它发送一个指示定时器超时的值。
如果只是想等待,可以使用time.Sleep
。定时器可能起作用的一个原因是在定时器到期之前取消定时器。这里有一个例子。
第一个定时器将在启动程序后约2s
过期,但第二个定时器应该在它到期之前停止。
所有的示例代码,都放在
F:\worksp\golang
目录下。安装Go编程环境请参考:/tutorial/detail-5562.html
timers.go
的完整代码如下所示 -
package main import "time" import "fmt" func main() { // Timers represent a single event in the future. You // tell the timer how long you want to wait, and it // provides a channel that will be notified at that // time. This timer will wait 2 seconds. timer1 := time.NewTimer(time.Second * 2) // The `<-timer1.C` blocks on the timer's channel `C` // until it sends a value indicating that the timer // expired. <-timer1.C fmt.Println("Timer 1 expired") // If you just wanted to wait, you could have used // `time.Sleep`. One reason a timer may be useful is // that you can cancel the timer before it expires. // Here's an example of that. timer2 := time.NewTimer(time.Second) go func() { <-timer2.C fmt.Println("Timer 2 expired") }() stop2 := timer2.Stop() if stop2 { fmt.Println("Timer 2 stopped") } }
执行上面代码,将得到以下输出结果 -
F:\worksp\golang>go run timers.go Timer 1 expired Timer 2 stopped