发送自定义信号到curreng Golang过程

时间:2019-05-05 19:14:11

标签: http go server signals reload

我正在使用Go创建HTTP服务器。每当我进行数据库维护时,我都希望服务器将所有流量重定向到“当前正在进行维护”页面。

当前,这是通过秘密管理页面(例如http://myhome/secret)完成的,但是我想知道是否可以通过信号完成此操作-与TERM信号类似,但是可以临时重定向而不是实际终止该过程。 / p>

例如。

/home/myhome> nohup startServer &
... 
/home/myhome> changeMyServerStatus "maintenance"

我假设将有两个可执行文件。“ startServer”和“ changeMyServerStatus”

因此,这类似于服务。 (如重新加载)但是,这可能吗?如果是这样,您能给我一些提示吗?

谢谢

1 个答案:

答案 0 :(得分:3)

如评论中所述,信号可能不是实现此目的的最佳方法。我假设您仍然想要信号。

您可以使用standard用户信号:SIGUSR1启用维护,SIGUSR2禁用维护。

使用os/signal获得这些信号的通知并更新程序状态:

// Brief example code. Real code might be structured differently
// (perhaps pack up maint and http.Server in one type MyServer).

var maint uint32 // atomic: 1 if in maintenance mode

func handleMaintSignals() {
    ch := make(chan os.Signal, 1)
    go func() { // FIXME: use Server.RegisterOnShutdown to terminate this
        for sig := range ch {
            switch sig { // FIXME: add logging
            case syscall.SIGUSR1:
                atomic.StoreUint32(&maint, 1)
            case syscall.SIGUSR2:
                atomic.StoreUint32(&maint, 0)
            }
        }
    }()
    signal.Notify(ch, syscall.SIGUSR1, syscall.SIGUSR2)
}

让中间件查看该状态并做出相应的响应:

func withMaint(next http.Handler) http.Handler {
    return http.HandlerFunc(func(w http.ResponseWriter, r *http.Request) {
        if atomic.LoadUint32(&maint) == 1 {
            http.Error(w, "Down for maintenance", http.StatusServiceUnavailable)
            return
        }
        next.ServeHTTP(w, r)
    })
}

您可以基于每个路由或直接将其应用到服务器的root handler

func main() {
    handleMaintSignals()
    srv := http.Server{
        Addr:    ":17990",
        Handler: withMaint(http.DefaultServeMux),
    }
    srv.ListenAndServe()
}

您不需要第二个可执行文件,例如changeMyServerStatus。使用操作系统的工具发送信号,例如pkill

$ nohup myserver &

$ curl http://localhost:17990/
404 page not found

$ pkill -USR1 myserver

$ curl http://localhost:17990/
Down for maintenance

$ pkill -USR2 myserver

$ curl http://localhost:17990/
404 page not found

但是手动处理nohuppkill既繁琐又容易出错。而是使用systemd之类的服务管理器来管理您的流程。 Systemd允许您使用systemctl kill发送任意信号:

systemctl kill -s SIGUSR1 myserver