-
Notifications
You must be signed in to change notification settings - Fork 2
/
check_dns.py
executable file
·239 lines (208 loc) · 10.6 KB
/
check_dns.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
#!/usr/bin/env python2
# Copyright 2017 Pieter Lexis <[email protected]>
# Licensed under the GPL version 2, see LICENSE for more.
from __future__ import print_function, absolute_import
import argparse
import time
from collections import OrderedDict
import dnsviz.commands.probe
from dnsviz.analysis import TTLAgnosticOfflineDomainNameAnalysis, DNS_RAW_VERSION
import dnsviz.analysis.status as status
from dnsviz.format import latin1_binary_to_string as lb2s
from dnsviz.util import get_trusted_keys, get_default_trusted_keys
import nagiosplugin
import logging
import dns.name
import dns.rdatatype
_log = logging.getLogger('nagiosplugin')
class DNSSECContext(nagiosplugin.Context):
def evaluate(self, metric, resource):
delegation = metric.value.get('delegation')
dnssec = metric.value.get('dnssec')
if delegation['status'] > status.DELEGATION_STATUS_SECURE:
if delegation['status'] == status.DELEGATION_STATUS_BOGUS:
return nagiosplugin.Result(nagiosplugin.Critical, 'Delegation is BOGUS', metric)
if delegation['status'] == status.DELEGATION_STATUS_INSECURE:
if resource.insecure_ok:
return nagiosplugin.Result(nagiosplugin.Ok, 'Delegation is INSECURE', metric)
return nagiosplugin.Result(nagiosplugin.Warn, 'Delegation is {}'.format(
status.delegation_status_mapping[delegation['status']]), metric)
return nagiosplugin.Result(nagiosplugin.Ok, 'Delegation is SECURE', metric)
class RRSIGContext(nagiosplugin.Context):
def evaluate(self, metric, resource):
if metric.value['errors']:
return nagiosplugin.Result(nagiosplugin.Critical, 'RRSIG error', metric)
if metric.value['warnings']:
return nagiosplugin.Result(nagiosplugin.Warn, 'RRSIG issue', metric)
return nagiosplugin.Result(nagiosplugin.Ok, 'RRSIGs validate correctly', metric)
class RRSIGExpitationContext(nagiosplugin.Context):
def __init__(self, name, warn_seconds, crit_seconds, fmt_metric=None, result_cls=nagiosplugin.Result):
super(RRSIGExpitationContext, self).__init__(name, fmt_metric, result_cls)
self.warn_seconds = warn_seconds
self.crit_seconds = crit_seconds
def evaluate(self, metric, resource):
r_state = nagiosplugin.Ok
if metric.value is None:
return nagiosplugin.Result(r_state, 'No RRSIGs', metric)
if self.warn_seconds >= metric.value:
r_state = nagiosplugin.Warn
if self.crit_seconds >= metric.value:
r_state = nagiosplugin.Critical
return nagiosplugin.Result(r_state, 'RRSIGs expiring in {} seconds ({} hours)'.format(
metric.value, metric.value/3600), metric)
class DNS(nagiosplugin.Resource):
def __init__(self, domain, insecure_ok=True, rrsig_expiration_warn=72, rrsig_expiration_crit=24):
self.domain = domain
self.domain_native = dns.name.from_text(self.domain)
self.insecure_ok = insecure_ok
self.rrsig_expiration_warn = rrsig_expiration_warn
self.rrsig_expiration_crit = rrsig_expiration_crit
self.rdclass = dns.rdataclass.IN
self.try_ipv4 = True
self.try_ipv6 = True
self.client_ipv4 = None
self.client_ipv6 = None
self.query_class_mixin = None
self.ceiling = dns.name.root
self.edns_diagnostics = False
self.stop_at_explicit = {}
self.cache_level = None
self.rdtypes = None
self.explicit_only = False # set to true if rdtypes is set
self.dlv_domain = None
def probe(self):
_log.debug('Starting probing for "{}"'.format(self.domain))
a = dnsviz.commands.probe.BulkAnalyst(self.rdclass, self.try_ipv4, self.try_ipv6, self.client_ipv4, self.client_ipv6,
self.query_class_mixin, self.ceiling, self.edns_diagnostics,
self.stop_at_explicit, self.cache_level, self.rdtypes,
self.explicit_only, self.dlv_domain)
names = [self.domain_native]
name_objs = a.analyze(names)
name_objs = [x for x in name_objs if x is not None]
if len(name_objs) > 1:
raise ValueError('More than one name specified?')
name_obj = name_objs[0]
serialized_obj = OrderedDict()
name_obj.serialize(serialized_obj, False)
trusted_keys = get_default_trusted_keys(name_obj.analysis_end)
serialized_obj['_meta._dnsviz.'] = {'version': DNS_RAW_VERSION, 'names': [lb2s(n.to_text()) for n in names]}
cache = {}
analysis_obj = TTLAgnosticOfflineDomainNameAnalysis.deserialize(names[0], serialized_obj, cache)
analysis_obj.populate_status(trusted_keys)
# These errors are linked to the DS record
delegation_status = analysis_obj.delegation_status[43]
delegation_warnings = [w.description for w in analysis_obj.delegation_warnings[43]]
delegation_errors = [e.description for e in analysis_obj.delegation_errors[43]]
zone_status = analysis_obj.zone_status
zone_warnings = [w.description for w in analysis_obj.zone_warnings]
zone_errors = [e.description for e in analysis_obj.zone_errors]
dnssec_status = {
'dnssec': {'status': zone_status, 'warnings': zone_warnings, 'errors': zone_errors},
'delegation': {'status': delegation_status,
'warnings': delegation_warnings,
'errors': delegation_errors},
}
yield nagiosplugin.Metric('dnssec_status', dnssec_status, context='dnssec')
rrsig_errors = set()
rrsig_warnings = set()
rrsig_expiration = None
now = int(time.time())
for _, rrsigs in analysis_obj.rrsig_status.iteritems():
for rrsig, rrsets in rrsigs.iteritems():
for keymeta, single_rrsig_status in rrsets.iteritems():
if keymeta.name != self.domain_native:
continue
for w in single_rrsig_status.warnings:
rrsig_warnings.add('{}: {}'.format(keymeta, w.description))
for e in single_rrsig_status.errors:
rrsig_errors.add('{}: {}'.format(keymeta, e.description))
expire_seconds = rrsig.expiration - now
if rrsig_expiration is None or expire_seconds < rrsig_expiration:
rrsig_expiration = expire_seconds
yield nagiosplugin.Metric('rrsig_status',
{'errors': rrsig_errors,
'warnings': rrsig_warnings},
context='rrsig')
yield nagiosplugin.Metric('rrsig_expiration',
rrsig_expiration,
context='rrsig_expiration')
class DNSSummary(nagiosplugin.Summary):
def ok(self, results):
ret = []
for result in results:
if result.metric.name == 'dnssec_status':
to_add = ''
for t in ['dnssec', 'delegation']:
for m in ['errors', 'warnings']:
if result.metric.value.get(t, {}).get(m):
to_add += ', '.join(result.metric.value.get(t, {}).get(m))
if to_add != '':
ret.append('{}: {}'.format(result.hint, to_add))
else:
ret.append(result.hint)
if result.metric.name == 'rrsig_status':
to_add = ''
for m in ['errors', 'warnings']:
if result.metric.value.get(m):
to_add += ', '.join(result.metric.value.get(m))
if to_add != '':
ret.append('{}: {}'.format(result.hint, to_add))
else:
ret.append(result.hint)
if result.metric.name == 'rrsig_expiration':
ret.append(result.hint)
return '; '.join(ret)
def problem(self, results):
ret = []
for result in results.most_significant:
if result.metric.name == 'dnssec_status':
to_add = ''
for t in ['dnssec', 'delegation']:
for m in ['errors', 'warnings']:
if result.metric.value.get(t, {}).get(m):
to_add += ', '.join(result.metric.value.get(t, {}).get(m))
if to_add != '':
ret.append('{}: {}'.format(result.hint, to_add))
else:
ret.append(result.hint)
if result.metric.name == 'rrsig_status':
to_add = ''
for m in ['errors', 'warnings']:
if result.metric.value.get(m):
to_add += ', '.join(result.metric.value.get(m))
if to_add != '':
ret.append('{}: {}'.format(result.hint, to_add))
else:
ret.append(result.hint)
if result.metric.name == 'rrsig_expiration':
ret.append(result.hint)
return '; '.join(ret)
@nagiosplugin.guarded()
def main():
argp = argparse.ArgumentParser(prog='check_dns', formatter_class=argparse.ArgumentDefaultsHelpFormatter)
argp.add_argument('--domain', '-d', type=str, required=True, action='store',
help='Domain to check')
argp.add_argument('--insecure-is-ok', action='store_true', default=False,
help='If the delegation is insecure, do not warn')
argp.add_argument('--expire-warn', default=72, metavar='HOURS',
help='Warn if RRSIG expiry is within this many hours')
argp.add_argument('--expire-crit', default=48, metavar='HOURS',
help='Crit if RRSIG expiry is within this many hours')
argp.add_argument('--verbose', '-v', action='count', default=0,
help='Be more verbose')
args = argp.parse_args()
if args.expire_crit > args.expire_warn:
raise nagiosplugin.CheckError('RRSIG Critical value ({}) higher than Warning value ({})'.format(
args.expire_crit, args.expire_warn
))
check = nagiosplugin.Check(
DNS(args.domain, args.insecure_is_ok),
DNSSECContext('dnssec'),
RRSIGContext('rrsig'),
RRSIGExpitationContext('rrsig_expiration',
warn_seconds=args.expire_warn * 60 * 60,
crit_seconds=args.expire_crit * 60 * 60),
DNSSummary())
check.main(args.verbose)
if __name__ == '__main__':
main()