使用 cron 运行 Go 方法

我正在尝试编写一个程序,该程序将在特定时间间隔内连续调用一个方法。我正在使用 cron 库来尝试实现这一点,但是当我运行该程序时,它只会执行并完成而没有任何输出。


下面是我正在尝试做的一个基本示例。


非常感谢您的帮助!


package main


import (

    "fmt"

    "github.com/robfig/cron"

)


func main() {

    c := cron.New()

    c.AddFunc("1 * * * * *", RunEverySecond)

    c.Start()

}


func RunEverySecond() {

    fmt.Println("----")

}


慕妹3242003
浏览 218回答 3
3回答

波斯汪

为此使用外部包是矫枉过正的,该time包具有您需要的一切:package mainimport (    "fmt"    "time")func main() {    go func() {        c := time.Tick(1 * time.Second)        for range c {            // Note this purposfully runs the function            // in the same goroutine so we make sure there is            // only ever one. If it might take a long time and            // it's safe to have several running just add "go" here.            RunEverySecond()        }    }()    // Other processing or the rest of your program here.    time.Sleep(5 * time.Second)    // Or to block forever:    //select {}    // However, if doing that you could just stick the above for loop    // right here without dropping it into a goroutine.}func RunEverySecond() {    fmt.Println("----")}
打开App,查看更多内容
随时随地看视频慕课网APP

相关分类

Go