Golang 筆記
  • Introduction
  • 安裝Golang
    • 本地編譯與安裝第三方套件
    • 第一個 GO 程式
    • export 與 import
    • 使用 go mod
  • 基本工具
  • DataBase操作
    • MySQL
    • 使用 ORM
    • MongoDB
  • 基本語法
    • Variable
    • BSON
    • JSON
    • 時間相關
    • Interface
    • Error
    • 型別
    • 字串
    • defer
    • panic, recover
    • Channel 與Goroutine
      • 讀寫鎖
      • for select 與 for range
      • UnBuffered channel 與 Buffered channel
    • Function
    • pointer
    • regExp
    • fmt
    • Make vs New
    • struct
    • Array, Slice 陣列
    • map
  • 核心模組
    • Reflect
    • File
    • Signal
    • BuiltIn
    • Sync
    • IO
    • Sort
    • http
    • crypto
    • context
  • 第三方模組
    • Dom Parser
    • gin 框架
    • Websocket
    • Iris框架
      • 讀取 Body 資料
      • 相關範例
    • Fiber 框架
    • 自動重啟 server 工具
    • go-jwt
  • 測試
  • 原始碼解析
  • 常見問題
    • 資料存取不正確
    • Data races
Powered by GitBook
On this page
  • Ticker 與 Timer
  • 產生 unix timestamp

Was this helpful?

  1. 基本語法

時間相關

now := time.Now() // 2009-11-10 23:00:00 +0000 UTC m=+0.000000001
sec := now.Unix() // timestamp

Ticker 與 Timer

ticker 類似時 setInterval 間隔持續執行,timer 類似 setTImeout 只執行一次

package main
 
import (
    "fmt"
    "sync"
    "time"
)
 
func main() {
    var wg sync.WaitGroup
    wg.Add(2)
    timer1 := time.NewTimer(2 * time.Second)
    ticker1 := time.NewTicker(2 * time.Second)
 
    go func() {
        defer wg.Done()
        for {
            <-ticker1.C
            fmt.Println("get ticker1", time.Now())
        }
    }()
 
    go func() {
        defer wg.Done()
        for {
            <-timer1.C
            fmt.Println("get timer", time.Now())
            timer1.Reset(2 * time.Second)
        }
    }()
 
    wg.Wait()
}

間隔時間發送

package main
import (
    "fmt"
    "time"
)

func main() {
    ticker := time.NewTicker(1 * time.Second)
    for range ticker.C {
      fmt.Println("test")  
    }
}

等同於

package main
import (
    "fmt"
    "time"
)

func main() {
    ticker := time.NewTicker(1 * time.Second)
	for {
	  select {
	    case <-ticker.C:
		  fmt.Println("test")  
	  }
	}
}

產生 unix timestamp

func makeTimestamp() int64 {
    return time.Now().Round(time.Millisecond).UnixNano() / (int64(time.Millisecond)/int64(time.Nanosecond))
}
PreviousJSONNextInterface

Last updated 3 years ago

Was this helpful?