forked from peterpramb/pynagioscheck
-
Notifications
You must be signed in to change notification settings - Fork 0
/
Copy pathnagioscheck.py
356 lines (268 loc) · 11.1 KB
/
nagioscheck.py
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
230
231
232
233
234
235
236
237
238
239
240
241
242
243
244
245
246
247
248
249
250
251
252
253
254
255
256
257
258
259
260
261
262
263
264
265
266
267
268
269
270
271
272
273
274
275
276
277
278
279
280
281
282
283
284
285
286
287
288
289
290
291
292
293
294
295
296
297
298
299
300
301
302
303
304
305
306
307
308
309
310
311
312
313
314
315
316
317
318
319
320
321
322
323
324
325
326
327
328
329
330
331
332
333
334
335
336
337
338
339
340
341
342
343
344
345
346
347
348
349
350
351
352
353
354
355
356
#!/usr/bin/env python
#
# pylint: disable=R0912,R0913,R1717,W0402
"""Pynagioscheck: A Python framework for Nagios plugin developers."""
from __future__ import print_function
import datetime
import gc
import optparse
import re
import signal
import sys
import traceback
__version__ = '0.2.0'
class Status(Exception):
"""Stores check status.
Usage:
- Without perfdata:
Status(nagioscheck.Status.EXIT_OK, "Happy days")
- With perfdata:
Status(nagioscheck.Status.EXIT_OK, "Happy days",
PerformanceMetric('Power Level', 9001, 'points'))
- This (less verbose) alternative is also acceptable:
Status('ok', "Happy days")
"""
EXIT_OK = 0
EXIT_WARNING = 1
EXIT_CRITICAL = 2
EXIT_UNKNOWN = 3
def __init__(self, status, msg, perfdata=None):
"""Signal check status.
Store either a single string or list of strings in `msg`. If a
list, the individual items should correspond to:
msg[0]: A single line summary;
msg[1]: Single line with additional information;
msg[2]: Multi-line output for configuration debugging;
msg[3]: Multi-line output for check script debugging. This
item is automatically filled with a Python backtrace. Use
-vvv at the command line to view it.
All four list elements are not mandatory. Requests for verbose
output will fall upwards until a suitable message is found. For
example, if `msg[0]` and `msg[2]` are defined, and output at
verbosity level 1 (`msg[1]`) is requested, the string from
`msg[0]` will be returned.
Perfdata is optional and can be supplied as a single object or
a collection. PerformanceMetric exists to abstract the textual
formatting of the perfdata string.
"""
super(Status, self).__init__(msg)
self.msg = [None] * 4
self.perfdata = None
self.status = self.EXIT_UNKNOWN
# This contraption generates a dictionary of valid status
# constants from the `EXIT_*` class attributes defined at the
# very top of this class. We use this dict for validation, and
# as a shortcut mechanism when a string is supplied as `status`.
self.s_map = dict([(s.replace('EXIT_', ''), getattr(Status, s),)
for s in
[x for x in dir(Status) if x.startswith('EXIT_')]])
# Or in other words...
assert self.s_map['OK'] == 0
# And now the inverse...
self.i_map = {}
for k, v in list(self.s_map.items()):
self.i_map[v] = k
if isinstance(status, int):
if status not in list(self.i_map.keys()):
raise ValueError("Invalid status code - see %s.%s" %
(__name__, self.__class__.__name__))
self.status = status
elif isinstance(status, str):
if status.upper() not in list(self.s_map.keys()):
raise ValueError("Invalid status code - see %s.%s" %
(__name__, self.__class__.__name__))
self.status = self.s_map[status.upper()]
else:
raise TypeError("Expected an int or str as status, but got "
"%r instead" % status)
if isinstance(msg, str):
self.msg[0] = msg
elif isinstance(msg, (list, tuple)):
for i in range(4):
try:
if msg[i] is None:
self.msg[i] = None
else:
self.msg[i] = str(msg[i])
except IndexError:
pass
if self.msg[3] is None:
tb = traceback.format_tb(sys.exc_info()[2])
self.msg[3] = "\n".join((self.search_msg(1), "",
"".join(tb)))
if perfdata is not None:
try:
iter(perfdata) # Test iterability
self.perfdata = perfdata
except TypeError:
self.perfdata = [perfdata]
def __repr__(self):
return ("%s.%s(status=%r, msg=%r, perfdata=%r)" %
(self.__module__, self.__class__.__name__,
self.status, self.msg, self.perfdata))
def __str__(self):
return self.output()
def output(self, verbosity=0):
output_bare = self.search_msg(verbosity)
output_lines = output_bare.split("\n")
# Prepend service name and status to the first line of
# plugin output only.
if self.service is not None:
prefix = "%s %s%s " % (self.service.upper(),
self.i_map[self.status],
self.state_sep)
output_lines[0] = prefix + output_lines[0]
# Append perfdata to the first line of plugin output only.
if self.perfdata is not None:
output_lines[0] += " |"
for data in self.perfdata:
output_lines[0] += " %s" % data
output = "\n".join(output_lines)
return output
def search_msg(self, verbosity=0):
if verbosity not in list(range(4)):
raise ValueError("Verbosity should be one of 0, 1, 2, or 3")
while self.msg[verbosity] is None and verbosity > 0:
verbosity -= 1
return self.msg[verbosity]
class UsageError(Exception):
"""Stores usage error.
Raise me from inside your check() method if the user has not
supplied enough or correct information to proceed.
"""
def __init__(self, msg=""):
super(UsageError, self).__init__(msg)
self.msg = str(msg)
def __repr__(self):
return ("%s.%s(msg=%r)" %
(self.__module__, self.__class__.__name__, self.msg))
def __str__(self):
return self.msg
class NagiosCheck(object):
"""Represents the Nagios check.
Subclass me and override `check()` to define your own Nagios
check.
See `examples/` for examples.
You *must* override the following from your subclass:
- `NagiosCheck.usage`: Usage information for users.
- `NagiosCheck.version`: The release version of your check.
- `NagiosCheck.check()`: Actual check logic.
You *should* override the following from your subclass:
- `NagiosCheck.service`: The service name of your check.
"""
service = None
state_sep = ':'
usage = "[options]"
version = '0.1.0'
def __init__(self, out=sys.stdout, err=sys.stderr, exit_cb=sys.exit):
self.options = []
self.out = out
self.err = err
self.exit_cb = exit_cb
self.parser = \
(optparse.OptionParser(usage="%%prog %s" % self.usage,
version="%%prog %s" % self.version))
Status.service = self.service
Status.state_sep = self.state_sep
# All checks must implement the following options as per the
# Nagios plug-in development guidelines.
self.parser.add_option('-v', '--verbose', action='count',
dest='verbosity')
def add_option(self, short, long=None, argument=False, desc=None,
vtype=None, default=None, choices=None, meta=None):
option_strings = []
kwargs = {}
option_strings.append('-%s' % short)
if long is not None:
option_strings.append('--%s' % long)
if argument is None:
kwargs['action'] = 'store_true'
kwargs['dest'] = short
else:
kwargs['dest'] = argument
kwargs['help'] = desc
kwargs['type'] = vtype
kwargs['default'] = default
kwargs['choices'] = choices
kwargs['metavar'] = meta
self.parser.add_option(*option_strings, **kwargs)
def check(self, opts, args):
raise NotImplementedError("You forgot to override check()!")
def expired(self):
"""Our parent has died. Follow suit.
Our parent has terminated, probably because a timeout had
recently expired. You can override this method to clean up
after yourself, but do it quickly. There is absolutely no
guarantee that you will get anywhere useful before a `SIGKILL`
comes hurtling down the pipe.
"""
self.exit_cb(2)
def run(self, argv=None):
if argv is None:
argv = sys.argv
try:
try:
(opts, args) = self.parser.parse_args(argv[1:])
verbosity = getattr(opts, 'verbosity') or 0
if verbosity > 3:
verbosity = 3
# When the NRPE server forks us (`popen(3)`) and its
# guardian process dies from `command_timeout` expiry,
# the process group should get `SIGTERM`'d.
old_handler = signal.getsignal(signal.SIGTERM)
signal.signal(signal.SIGTERM, _handle_sigterm)
self.check(opts, args)
signal.signal(signal.SIGTERM, old_handler)
raise Status('unknown', "%s.check() returned without "
"raising %s.Status" %
(self.__class__.__name__, __name__))
except UsageError as e:
msg = str(e)
if msg != "":
print("%s\n" % msg, file=self.err)
self.parser.print_usage()
self.exit_cb(2)
except Status:
raise
except SystemExit as e:
self.exit_cb(e.code)
except Exception as e:
raise Status('unknown',
"Unhandled Python exception: %r" % e)
self.exit_cb(Status.EXIT_UNKNOWN)
except Status as s:
print(s.output(verbosity), file=self.out)
self.exit_cb(s.status)
class PerformanceMetric(object):
"""Stores individual performance data (perfdata) metrics.
A collection of these objects can be passed as the perfdata
parameter to Status to include perfdata in your check output.
"""
def __init__(self, label, value, unit="", warning_threshold="",
critical_threshold="", minimum="", maximum=""):
self.label = label
self.value = value
self.unit = unit
self.warning_threshold = warning_threshold
self.critical_threshold = critical_threshold
self.minimum = minimum
self.maximum = maximum
def __str__(self):
return self.output()
def __repr__(self):
return self.output()
def quote(self, label):
if re.match(r'^\w+$', label):
return label
return "'%s'" % label
def output(self):
return ("%s=%s%s;%s;%s;%s;%s" %
(self.quote(self.label), self.value, self.unit,
self.warning_threshold, self.critical_threshold,
self.minimum, self.maximum))
def _handle_sigterm(signum, frame): # pylint: disable=W0613
checks = [o for o in gc.get_objects() if isinstance(o, NagiosCheck)]
for check in checks:
check.expired()
def prettyprint_seconds_elapsed(seconds):
return str(datetime.timedelta(seconds=seconds))