-
Notifications
You must be signed in to change notification settings - Fork 71
/
Copy pathapi.go
92 lines (71 loc) · 2.28 KB
/
api.go
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
57
58
59
60
61
62
63
64
65
66
67
68
69
70
71
72
73
74
75
76
77
78
79
80
81
82
83
84
85
86
87
88
89
90
91
92
package api
import (
"encoding/json"
"net/http"
"github.com/julienschmidt/httprouter"
"github.com/prometheus/client_golang/prometheus/promhttp"
"github.com/sirupsen/logrus"
)
type API struct {
Version string
ListenAddress string
log *logrus.Entry
}
type ResponseJSON struct {
Status int `json:"status"`
Message string `json:"message"`
Values map[string]string `json:"values,omitempty"`
Errors string `json:"errors,omitempty"`
}
func Start(listenAddress, version string) (*http.Server, error) {
a := &API{
Version: version,
ListenAddress: listenAddress,
log: logrus.WithField("pkg", "api"),
}
a.log.Debugf("starting API server on %s", listenAddress)
router := httprouter.New()
router.HandlerFunc("GET", "/health-check", a.healthCheckHandler)
router.HandlerFunc("GET", "/version", a.versionHandler)
router.Handler("GET", "/metrics", promhttp.Handler())
srv := &http.Server{
Addr: listenAddress,
Handler: router,
}
go func() {
if err := srv.ListenAndServe(); err != nil {
if err != http.ErrServerClosed {
a.log.Errorf("unable to srv.ListenAndServe: %s", err)
}
}
}()
return srv, nil
}
func (a *API) healthCheckHandler(rw http.ResponseWriter, r *http.Request) {
WriteJSON(http.StatusOK, map[string]string{"status": "ok"}, rw)
}
func (a *API) versionHandler(rw http.ResponseWriter, r *http.Request) {
rw.Header().Set("Content-Type", "application/json; charset=UTF-8")
response := &ResponseJSON{Status: http.StatusOK, Message: "batchcorp/plumber " + a.Version}
WriteJSON(http.StatusOK, response, rw)
}
func WriteJSON(statusCode int, data interface{}, w http.ResponseWriter) {
w.Header().Add("Content-type", "application/json")
jsonData, err := json.Marshal(data)
if err != nil {
w.WriteHeader(500)
logrus.Errorf("Unable to marshal data in WriteJSON: %s", err)
return
}
w.WriteHeader(statusCode)
if _, err := w.Write(jsonData); err != nil {
logrus.Errorf("Unable to write response data: %s", err)
return
}
}
func WriteErrorJSON(statusCode int, msg string, w http.ResponseWriter) {
WriteJSON(statusCode, map[string]string{"error": msg}, w)
}
func WriteSuccessJSON(statusCode int, msg string, w http.ResponseWriter) {
WriteJSON(statusCode, map[string]string{"msg": msg}, w)
}