下面由golang教學欄位來介紹Golang如何建立守護程式以及平滑重啟,希望對需要的朋友有幫助!
作為 PHP 開發老兵。使用過命令列對 nginx、PHP-FPM 進行啟動/重啟/停止等操作。印象非常深刻。讓我用 C/C 開發這樣的系統肯定是沒精力搞了。然而,自從 Golang 進入了我的視野之後。我發現這一切都變得非常的容易。
直接上程式碼:
package main import ( "os" "os/exec" "path/filepath" ) func main() { //判 断当其是否是子进程,当父进程return之后,子进程会被 系统1 号进程接管 if os.Getppid() != 1 { // 将命令行参数中执行文件路径转换成可用路径 filePath, _ := filepath.Abs(os.Args[0]) cmd := exec.Command(filePath, os.Args[1:]...) // 将其他命令传入生成出的进程 cmd.Stdin = os.Stdin // 给新进程设置文件描述符,可以重定向到文件中 cmd.Stdout = os.Stdout cmd.Stderr = os.Stderr cmd.Start() // 开始执行新进程,不等待新进程退出 return } }
對Linux 系統熟悉的人應該知道:使用者建立的守護程式會被Linux 系統的1 號程式接管。換句話說,上面的程式碼只能在 Linux 系統運作。 Unix 系統我沒玩過。所以,也不能給具體的建議。
我在網路上看到還有其他的方法實作守護程式的建立。但是,我覺得只有上面原始碼的方式我覺得不錯。並且成功用於專案當中。
例如:
os.StartProcess() 创建守护进程。 syscall.RawSyscall() 创建守护进程。
唯獨 exec.Command
建立守護程式的方式最高級。封裝得最好。推薦使用這種試。
在第 1 點當中,我們已經成功啟動了一個守護程式。但是,我們不可能使用 kill 指令去結束它。然後,再啟動吧。所以,我們要用業界專業的手法:訊號。
任何進程在運行中都能接收到我們發送給它的訊號。關於 Linux 的訊號有很多。大家可以自己 Google 搜尋關鍵字:Linux 訊號。
直接上原始碼:
package main import "fmt" import "os" import "os/signal" import "syscall" func main() { // Go signal notification works by sending `os.Signal` // values on a channel. We'll create a channel to // receive these notifications (we'll also make one to // notify us when the program can exit). sigs := make(chan os.Signal, 1) done := make(chan bool, 1) // `signal.Notify` registers the given channel to // receive notifications of the specified signals. signal.Notify(sigs, syscall.SIGINT, syscall.SIGTERM) // This goroutine executes a blocking receive for // signals. When it gets one it'll print it out // and then notify the program that it can finish. go func() { sig := <-sigs fmt.Println() fmt.Println(sig) done <- true }() // The program will wait here until it gets the // expected signal (as indicated by the goroutine // above sending a value on `done`) and then exit. fmt.Println("awaiting signal") <-done fmt.Println("exiting") }
有三個關鍵點:
1)註冊訊號
2)接收訊號
3)處理訊號。
只要把創建守護程式與信號量處理整合一起,就能實現指令去管理守護程式了。
以上是Golang如何創建守護程式以及平滑重啟的詳細內容。更多資訊請關注PHP中文網其他相關文章!