间隔执行

  1. time包中有个Ticker可以用来实现简单的定时任务。
  1. ticker := time.NewTicker(5 * time.Second)
  2. for _ = range ticker.C {
  3. fmt.Println(time.Now())
  4. }

Ticker会在每隔一段时间执行,比如上面的例子中,每隔5秒打印一下当前时间。
但是,这显然满足不了我们的需求,我们还需要在某个固定时刻才开始。

对于固定时刻T,计算T和当前时间的时间差,然后sleep到T,然后用Ticker开始定时任务,每隔时间间隔D执行一次任务。

以何种形式提供固定时刻T以及时间间隔D

time包预定义了一些格式

  1. const (
  2. ANSIC = "Mon Jan _2 15:04:05 2006"
  3. UnixDate = "Mon Jan _2 15:04:05 MST 2006"
  4. RubyDate = "Mon Jan 02 15:04:05 -0700 2006"
  5. RFC822 = "02 Jan 06 15:04 MST"
  6. RFC822Z = "02 Jan 06 15:04 -0700" // RFC822 with numeric zone
  7. RFC850 = "Monday, 02-Jan-06 15:04:05 MST"
  8. RFC1123 = "Mon, 02 Jan 2006 15:04:05 MST"
  9. RFC1123Z = "Mon, 02 Jan 2006 15:04:05 -0700" // RFC1123 with numeric zone
  10. RFC3339 = "2006-01-02T15:04:05Z07:00"
  11. RFC3339Nano = "2006-01-02T15:04:05.999999999Z07:00"
  12. Kitchen = "3:04PM"
  13. // Handy time stamps.
  14. Stamp = "Jan _2 15:04:05"
  15. StampMilli = "Jan _2 15:04:05.000"
  16. StampMicro = "Jan _2 15:04:05.000000"
  17. StampNano = "Jan _2 15:04:05.000000000"
  18. )
  1. 这里吐槽一下,一开始不明白为什么是2006-01-02 15:04:05这个点,一直在想那个点到底发生了什么重大的事。后来才知道,按照美式的时间格式,也就是上面的ANSIC,月,日,时,分,秒,年,排列起来正好是123456。这么设计是为了方便记忆...<br />当然也可以自定义时间格式,比如2006-01-02 15:04:05。一般在我们的定时任务中,我们常用的是时分秒这样的时刻,所以T的表达式定义为:
  1. 15:04:05

D的格式

  1. D的格式比较简单,可以使用300ms -1.5h 2h45m这种格式。

代码

  1. // sched to start scheduler job at start time by interval duration.
  2. func sched(jobFunc interface{}, start, interval string, jobArgs ...interface{}) {
  3. jobValue := reflect.ValueOf(jobFunc)
  4. if jobValue.Kind() != reflect.Func {
  5. log.Panic("only function can be schedule.")
  6. }
  7. if len(jobArgs) != jobValue.Type().NumIn() {
  8. log.Panic("The number of args valid.")
  9. }
  10. // Get job function args.
  11. in := make([]reflect.Value, len(jobArgs))
  12. for i, arg := range jobArgs {
  13. in[i] = reflect.ValueOf(arg)
  14. }
  15. // Get interval d.
  16. d, err := time.ParseDuration(interval)
  17. if err != nil {
  18. log.Panic(err)
  19. }
  20. location, err := time.LoadLocation("Asia/Shanghai")
  21. if err != nil {
  22. log.Panic(err)
  23. }
  24. t, err := time.ParseInLocation("15:04:05", start, location)
  25. if err != nil {
  26. log.Panic(err)
  27. }
  28. now := time.Now()
  29. // Start time.
  30. t = time.Date(now.Year(), now.Month(), now.Day(), t.Hour(), t.Minute(), t.Second(), 0, location)
  31. if now.After(t) {
  32. t = t.Add((now.Sub(t)/d + 1) * d)
  33. }
  34. time.Sleep(t.Sub(now))
  35. go jobValue.Call(in)
  36. ticker := time.NewTicker(d)
  37. go func() {
  38. for _ = range ticker.C {
  39. go jobValue.Call(in)
  40. }
  41. }()
  42. }

Golang实现简单的定时器 - 图1