📜  Golang 中的 time.After()函数示例

📅  最后修改于: 2021-10-25 02:07:59             🧑  作者: Mango

在 Go 语言中,时间包提供了确定和查看时间的功能。 Go 语言中的After()函数用于等待持续时间过去,然后在返回的通道上传递实际时间。而且,这个函数是在时间包下定义的。在这里,您需要导入“time”包才能使用这些功能。

句法:

func After(d Duration) <-chan Time

其中, d为超时前的持续时间, chan为当前时间发送的通道。

返回值:它首先等待规定的时间,然后显示超时。

示例 1:

// Golang program to illustrate the usage of
// After() function in Golang
  
// Including main package
package main
  
// Importing fmt and time
import (
    "fmt"
    "time"
)
  
// Creating a channel
// Using var keyword
var ch chan int
  
// Main function
func main() {
  
    // For loop
    for i := 1; i < 6; i++ {
  
        // Prints these util loop stops
        fmt.Println("****Welcome to GeeksforGeeks***")
        fmt.Println("A CS-Portal!")
    }
  
    // Select statement
    select {
  
    // Using case statement to receive
    // or send operation on channel and
    // calling After() method with its
    // parameter
    case <-time.After(3 * time.Second):
  
        // Printed when timed out
        fmt.Println("Time Out!")
    }
}

输出:

****Welcome to GeeksforGeeks***
A CS-Portal!
****Welcome to GeeksforGeeks***
A CS-Portal!
****Welcome to GeeksforGeeks***
A CS-Portal!
****Welcome to GeeksforGeeks***
A CS-Portal!
****Welcome to GeeksforGeeks***
A CS-Portal!
Time Out!    // Displayed after 3 seconds as mentioned in the above code

在上面的例子中,我们在 select 语句下使用了“case”语句,以便在通道上发送操作。此外,这里会在 for 循环执行 3 秒后显示超时。

示例 2:

// Golang program to illustrate the usage of
// After() function in Golang
  
// Including main package
package main
  
// Importing fmt and time
import (
    "fmt"
    "time"
)
  
// Main function
func main() {
  
    // Creating a channel
    // Using make keyword
    channel := make(chan string, 2)
  
    // Select statement
    select {
  
    // Using case statement to receive
    // or send operation on channel
    case output := <-channel:
        fmt.Println(output)
  
    // Calling After() method with its
    // parameter
    case <-time.After(5 * time.Second):
  
        // Printed after 5 seconds
        fmt.Println("Its timeout..")
    }
}

输出:

Its timeout..

在这里,我们使用了“make”关键字来创建一个通道,然后像上面的例子一样,在 select 语句下也使用了 case 语句,但这里使用了两次。第一个用于返回输出,第二个用于在通道上调用After()方法。在此之后,超时显示在规定的时间内。