* update docs * plugins: use plugin specific logging Hooking up pkg/log also changed NewWithPlugin to just take a string instead of a plugin.Handler as that is more flexible and for instance the Root "plugin" doesn't implement it fully. Same logging from the reload plugin: .:1043 2018/04/22 08:56:37 [INFO] CoreDNS-1.1.1 2018/04/22 08:56:37 [INFO] linux/amd64, go1.10.1, CoreDNS-1.1.1 linux/amd64, go1.10.1, 2018/04/22 08:56:37 [INFO] plugin/reload: Running configuration MD5 = ec4c9c55cd19759ea1c46b8c45742b06 2018/04/22 08:56:54 [INFO] Reloading 2018/04/22 08:56:54 [INFO] plugin/reload: Running configuration MD5 = 9e2bfdd85bdc9cceb740ba9c80f34c1a 2018/04/22 08:56:54 [INFO] Reloading complete * update docs * better doc
96 lines
1.8 KiB
Go
96 lines
1.8 KiB
Go
// Package health implements an HTTP handler that responds to health checks.
|
|
package health
|
|
|
|
import (
|
|
"io"
|
|
"net"
|
|
"net/http"
|
|
"sync"
|
|
"time"
|
|
|
|
clog "github.com/coredns/coredns/plugin/pkg/log"
|
|
)
|
|
|
|
var log = clog.NewWithPlugin("health")
|
|
|
|
// Health implements healthchecks by polling plugins.
|
|
type health struct {
|
|
Addr string
|
|
lameduck time.Duration
|
|
|
|
ln net.Listener
|
|
nlSetup bool
|
|
mux *http.ServeMux
|
|
|
|
// A slice of Healthers that the health plugin will poll every second for their health status.
|
|
h []Healther
|
|
sync.RWMutex
|
|
ok bool // ok is the global boolean indicating an all healthy plugin stack
|
|
|
|
stop chan bool
|
|
pollstop chan bool
|
|
}
|
|
|
|
// newHealth returns a new initialized health.
|
|
func newHealth(addr string) *health {
|
|
return &health{Addr: addr, stop: make(chan bool), pollstop: make(chan bool)}
|
|
}
|
|
|
|
func (h *health) OnStartup() error {
|
|
if h.Addr == "" {
|
|
h.Addr = defAddr
|
|
}
|
|
|
|
ln, err := net.Listen("tcp", h.Addr)
|
|
if err != nil {
|
|
return err
|
|
}
|
|
|
|
h.ln = ln
|
|
h.mux = http.NewServeMux()
|
|
h.nlSetup = true
|
|
|
|
h.mux.HandleFunc(path, func(w http.ResponseWriter, r *http.Request) {
|
|
if h.Ok() {
|
|
w.WriteHeader(http.StatusOK)
|
|
io.WriteString(w, ok)
|
|
return
|
|
}
|
|
w.WriteHeader(http.StatusServiceUnavailable)
|
|
})
|
|
|
|
go func() { http.Serve(h.ln, h.mux) }()
|
|
go func() { h.overloaded() }()
|
|
|
|
return nil
|
|
}
|
|
|
|
func (h *health) OnRestart() error { return h.OnFinalShutdown() }
|
|
|
|
func (h *health) OnFinalShutdown() error {
|
|
if !h.nlSetup {
|
|
return nil
|
|
}
|
|
|
|
// Stop polling plugins
|
|
h.pollstop <- true
|
|
// NACK health
|
|
h.SetOk(false)
|
|
|
|
if h.lameduck > 0 {
|
|
log.Infof("Going into lameduck mode for %s", h.lameduck)
|
|
time.Sleep(h.lameduck)
|
|
}
|
|
|
|
h.ln.Close()
|
|
|
|
h.stop <- true
|
|
h.nlSetup = false
|
|
return nil
|
|
}
|
|
|
|
const (
|
|
ok = "OK"
|
|
defAddr = ":8080"
|
|
path = "/health"
|
|
)
|