-
Notifications
You must be signed in to change notification settings - Fork 0
/
main.go
229 lines (196 loc) · 6.94 KB
/
main.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
93
94
95
96
97
98
99
100
101
102
103
104
105
106
107
108
109
110
111
112
113
114
115
116
117
118
119
120
121
122
123
124
125
126
127
128
129
130
131
132
133
134
135
136
137
138
139
140
141
142
143
144
145
146
147
148
149
150
151
152
153
154
155
156
157
158
159
160
161
162
163
164
165
166
167
168
169
170
171
172
173
174
175
176
177
178
179
180
181
182
183
184
185
186
187
188
189
190
191
192
193
194
195
196
197
198
199
200
201
202
203
204
205
206
207
208
209
210
211
212
213
214
215
216
217
218
219
220
221
222
223
224
225
226
227
228
229
// +build go1.8
package main
import (
"context"
"flag"
"fmt"
"log"
"net/http"
_ "net/http/pprof"
"path"
"strings"
"sync"
"time"
"github.com/prometheus/client_golang/prometheus"
"github.com/prometheus/client_golang/prometheus/promhttp"
)
var (
mDuration = prometheus.NewCounterVec(prometheus.CounterOpts{
Name: "script_duration_seconds_total",
Help: "time elapsed executing script",
}, []string{"script_name"})
mConcExceeds = prometheus.NewCounterVec(prometheus.CounterOpts{
Name: "script_concurrency_exceeds_total",
Help: "number of times script was not executed because there were already too many executions ongoing",
}, []string{"script_name"})
mRuns = prometheus.NewCounterVec(prometheus.CounterOpts{
Name: "script_runs_total",
Help: "number of times script execution attempted",
}, []string{"script_name"})
mErrors = prometheus.NewCounterVec(prometheus.CounterOpts{
Name: "script_errors_total",
Help: "number of script executions that ended with an error",
}, []string{"script_name"})
mParseErrors = prometheus.NewCounterVec(prometheus.CounterOpts{
Name: "script_parse_errors_total",
Help: "number of script executions that ended without error but produced unparseable output",
}, []string{"script_name"})
mTimeouts = prometheus.NewCounterVec(prometheus.CounterOpts{
Name: "script_timeouts_total",
Help: "number of script executions that were killed due to timeout",
}, []string{"script_name"})
mRunning = prometheus.NewGaugeVec(prometheus.GaugeOpts{
Name: "script_running",
Help: "number of executions ongoing",
}, []string{"script_name"})
)
func init() {
prometheus.MustRegister(mDuration)
prometheus.MustRegister(mConcExceeds)
prometheus.MustRegister(mRuns)
prometheus.MustRegister(mErrors)
prometheus.MustRegister(mParseErrors)
prometheus.MustRegister(mTimeouts)
prometheus.MustRegister(mRunning)
}
// A runresult describes the result of executing a script.
type runresult struct {
// Stdout of script invocation. Any stderr output results in an error.
output string
// Error resulting from script invocation, or nil.
err error
}
// A runreq is a request to run a script and capture its output
type runreq struct {
// Context to run in (allows for cancelling requests)
ctx context.Context
// Script to run, relative to scriptPath.
script string
// Result of running script.
result chan runresult
}
// ScriptHandler is the core of this app.
type ScriptHandler struct {
// if opentsdb is true, interpret script output as opentsdb text format instead of Prometheus'
opentsdb bool
// Prefix of request path to strip off
metricsPath string
// Filesystem path prefix to prepend to all scripts.
scriptPath string
// Used internally to manage concurrency.
reqchan chan runreq
// Max number of concurrent requests per script
scriptWorkers int
// Max duration of any script invocation
timeout time.Duration
// mtx must be locked before modifying any fields below it (preceding
// fields are not supposed to be modifyied.)
mtx sync.Mutex
// Count of running script invocations by script name.
numChildren map[string]int
}
func NewScriptHandler(metricsPath, scriptPath string, opentsdb bool, scriptWorkers int, timeout time.Duration) *ScriptHandler {
return &ScriptHandler{
metricsPath: metricsPath,
scriptPath: scriptPath,
opentsdb: opentsdb,
numChildren: make(map[string]int),
reqchan: make(chan runreq),
scriptWorkers: scriptWorkers,
timeout: timeout,
}
}
// ServeHTTP implements http.Handler. It handles incoming HTTP requests by
// stripping off the metricsPath prefix, executing scriptPath + the remaining
// script name, interpreting the output as metrics, then publishing the result
// as a regular Prometheus metrics response.
func (sh *ScriptHandler) ServeHTTP(w http.ResponseWriter, r *http.Request) {
script := strings.TrimPrefix(strings.TrimPrefix(r.URL.Path, sh.metricsPath), "/")
if script == "" {
promhttp.Handler().ServeHTTP(w, r)
} else {
reschan := make(chan runresult)
ctx, cancel := context.WithDeadline(r.Context(), time.Now().Add(sh.timeout))
defer cancel()
sh.reqchan <- runreq{script: script, result: reschan, ctx: ctx}
result := <-reschan
if result.err != nil {
log.Printf("error running script '%s': %v", script, result.err)
} else if err := serveMetricsFromText(sh.opentsdb, w, r, result.output); err != nil {
log.Printf("error parsing output from script '%s': %v", script, err)
mParseErrors.WithLabelValues(script).Add(1)
}
}
}
// Start will run forever, handling incoming runreqs.
func (sh *ScriptHandler) Start() {
for req := range sh.reqchan {
sh.mtx.Lock()
curChildCount := sh.numChildren[req.script]
sh.mtx.Unlock()
if curChildCount >= sh.scriptWorkers {
mConcExceeds.WithLabelValues(req.script).Add(1)
err := fmt.Errorf("can't spawn a new instance of script '%s': already have %d running", req.script, curChildCount)
req.result <- runresult{err: err}
continue
}
sh.mtx.Lock()
sh.numChildren[req.script]++
sh.mtx.Unlock()
mRunning.WithLabelValues(req.script).Add(1)
go func(req runreq) {
mRuns.WithLabelValues(req.script).Add(1)
start := time.Now()
ctx, cancel := context.WithCancel(req.ctx)
defer cancel()
output, err := runCommand(ctx, path.Join(sh.scriptPath, req.script))
elapsed := time.Since(start)
mDuration.WithLabelValues(req.script).Add(float64(elapsed) / float64(time.Second))
if err != nil {
mErrors.WithLabelValues(req.script).Add(1)
}
if err == context.DeadlineExceeded {
mTimeouts.WithLabelValues(req.script).Add(1)
}
sh.mtx.Lock()
sh.numChildren[req.script]--
sh.mtx.Unlock()
mRunning.WithLabelValues(req.script).Add(-1)
req.result <- runresult{output: output, err: err}
}(req)
}
}
func main() {
var (
listenAddress = flag.String("web.listen-address", ":9661",
"Address on which to expose metrics and web interface.")
metricsPath = flag.String("web.telemetry-path", "/metrics",
"Path under which to expose metrics.")
scriptPath = flag.String("script.path", "",
"path under which scripts are located")
opentsdb = flag.Bool("opentsdb", false,
"expect opentsdb-format metrics from script output")
timeout = flag.Duration("timeout", time.Minute,
"how long a script can run before being cancelled")
scworkers = flag.Int("script-workers", 1,
"allow this many concurrent requests per script")
)
flag.Parse()
http.HandleFunc("/", func(w http.ResponseWriter, r *http.Request) {
w.Write([]byte(`<html>
<head><title>Script Exporter</title></head>
<body>
<h1>Script Exporter</h1>
<p><a href="` + *metricsPath + `">Metrics</a></p>
</body>
</html>`))
})
sh := NewScriptHandler(*metricsPath, *scriptPath, *opentsdb, *scworkers, *timeout)
go sh.Start()
http.Handle(*metricsPath+"/", sh)
http.Handle(*metricsPath, promhttp.Handler())
srv := &http.Server{Addr: *listenAddress, ReadTimeout: *timeout, WriteTimeout: *timeout}
if err := srv.ListenAndServe(); err != nil {
log.Fatalf("Unable to setup HTTP server: %v", err)
}
}