-
Notifications
You must be signed in to change notification settings - Fork 17
/
anonip.py
executable file
·537 lines (461 loc) · 15.9 KB
/
anonip.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
357
358
359
360
361
362
363
364
365
366
367
368
369
370
371
372
373
374
375
376
377
378
379
380
381
382
383
384
385
386
387
388
389
390
391
392
393
394
395
396
397
398
399
400
401
402
403
404
405
406
407
408
409
410
411
412
413
414
415
416
417
418
419
420
421
422
423
424
425
426
427
428
429
430
431
432
433
434
435
436
437
438
439
440
441
442
443
444
445
446
447
448
449
450
451
452
453
454
455
456
457
458
459
460
461
462
463
464
465
466
467
468
469
470
471
472
473
474
475
476
477
478
479
480
481
482
483
484
485
486
487
488
489
490
491
492
493
494
495
496
497
498
499
500
501
502
503
504
505
506
507
508
509
510
511
512
513
514
515
516
517
518
519
520
521
522
523
524
525
526
527
528
529
530
531
532
533
534
535
536
537
#! /usr/bin/env python
# -*- coding: utf-8 -*-
"""
An IP address anonymizer
Digitale Gesellschaft
https://www.digitale-gesellschaft.ch.
Special thanks to: Thomas B. and Fabio R.
Copyright (c) 2013 - 2016, Swiss Privacy Foundation
2016 - 2019, Digitale Gesellschaft
2019, Hartmut Goebel
All rights reserved.
Redistribution and use in source and binary forms, with or without
modification, are permitted provided that the following conditions are met:
* Redistributions of source code must retain the above copyright notice,
this list of conditions and the following disclaimer.
* Redistributions in binary form must reproduce the above copyright
notice, this list of conditions and the following disclaimer in the
documentation and/or other materials provided with the distribution.
* Neither the name of copyright holder nor the names of its
contributors may be used to endorse or promote products derived from
this software without specific prior written permission.
THIS SOFTWARE IS PROVIDED BY THE COPYRIGHT HOLDERS AND CONTRIBUTORS "AS IS"
AND ANY EXPRESS OR IMPLIED WARRANTIES, INCLUDING, BUT NOT LIMITED TO, THE
IMPLIED WARRANTIES OF MERCHANTABILITY AND FITNESS FOR A PARTICULAR PURPOSE
ARE DISCLAIMED. IN NO EVENT SHALL THE COPYRIGHT OWNER OR CONTRIBUTORS BE
LIABLE FOR ANY DIRECT, INDIRECT, INCIDENTAL, SPECIAL, EXEMPLARY, OR
CONSEQUENTIAL DAMAGES (INCLUDING, BUT NOT LIMITED TO, PROCUREMENT OF
SUBSTITUTE GOODS OR SERVICES; LOSS OF USE, DATA, OR PROFITS; OR BUSINESS
INTERRUPTION) HOWEVER CAUSED AND ON ANY THEORY OF LIABILITY, WHETHER IN
CONTRACT, STRICT LIABILITY, OR TORT (INCLUDING NEGLIGENCE OR OTHERWISE)
ARISING IN ANY WAY OUT OF THE USE OF THIS SOFTWARE, EVEN IF ADVISED OF THE
POSSIBILITY OF SUCH DAMAGE.
"""
from __future__ import print_function, unicode_literals
import argparse
import logging
import re
import sys
from io import open
try:
import ipaddress
except ImportError: # pragma: no cover
# Could happen with python < 3.3
print("\033[31;1mError: Module ipaddress not found.\033[0m", file=sys.stderr)
sys.exit(1)
try:
from urllib.parse import urlparse
except ImportError: # pragma: no cover
# compatibility for python < 3
from urlparse import urlparse
if sys.version_info[0] >= 3: # pragma: no cover
# compatibility for python < 3
unicode = str
__title__ = "anonip"
__description__ = "Anonip is a tool to anonymize IP-addresses in log files."
__version__ = "1.1.0"
__license__ = "BSD"
__author__ = "Digitale Gesellschaft"
logger = logging.getLogger(__name__)
class Anonip(object):
def __init__(
self,
columns=None,
ipv4mask=12,
ipv6mask=84,
increment=0,
delimiter=" ",
replace=None,
regex=None,
skip_private=False,
):
"""
Main class for anonip.
:param columns: list of int, 1-based column numbers
:param ipv4mask: int
:param ipv6mask: int
:param increment: int
:param delimiter: str
:param replace: str
:param skip_private: bool
"""
self.columns = columns
self._prefixes = {} # next two lines will fill the values
self.ipv4mask = ipv4mask
self.ipv6mask = ipv6mask
self.increment = increment
self.delimiter = delimiter
self.replace = replace
self.regex = regex
self.skip_private = skip_private
@property
def columns(self):
return self._columns
@columns.setter
def columns(self, columns):
# change columns to be 0-based
self._columns = [c - 1 for c in columns] if columns else [0]
@property
def ipv4mask(self):
return self._ipv4mask
@ipv4mask.setter
def ipv4mask(self, mask):
self._ipv4mask = mask
self._prefixes[4] = 32 - mask
@property
def ipv6mask(self):
return self._ipv6mask
@ipv6mask.setter
def ipv6mask(self, mask):
self._ipv6mask = mask
self._prefixes[6] = 128 - mask
def run(self, input_file=None):
"""
Generator that reads from file handle (defaults to stdin)
and loops forever.
Yields anonymized log lines.
:param input_file: file handle to read from (default: sys.stdin)
:return: None
"""
if not input_file:
# Assign here instead of using a default parameter value
# to allow "late binding".
input_file = sys.stdin
line = input_file.readline()
while line:
line = line.rstrip()
if line.strip() == "":
logger.debug("Empty line detected. Doing nothing.")
yield line
line = input_file.readline()
continue
logger.debug("Got line: %r", line)
yield self.process_line(line)
line = input_file.readline()
def process_ip(self, ip):
"""
Process a single ip.
:param ip: /32 ipaddress.IPv4Network or /128 ipaddress.IPv6Network
:return: ipaddress.IPv4Address or ipaddress.IPv6Address
"""
if self.skip_private and ip[0].is_private:
return ip[0]
else:
trunc_ip = self.truncate_address(ip)
if self.increment:
try:
trunc_ip = trunc_ip + self.increment
except ipaddress.AddressValueError:
logger.error(
"Could not increment IP %s by %s", trunc_ip, self.increment
)
return trunc_ip
def process_line_regex(self, line):
"""
This function processes a single line based on the provided regex.
It returns the anonymized log line as string.
:param line: str
:return: str
"""
match = re.match(self.regex, line)
if not match:
logger.debug("Regex did not match!")
return line
groups = match.groups()
for m in set(groups):
if not m:
continue
ip_str, ip = self.extract_ip(m)
if ip:
trunc_ip = self.process_ip(ip)
line = line.replace(ip_str, str(trunc_ip))
elif self.replace:
line = line.replace(m, self.replace)
return line
def process_line_column(self, line):
"""
This function processes a single line based on the provided columns.
It returns the anonymized log line as string.
:param line: str
:return: str
"""
loglist = line.split(self.delimiter)
for index in self.columns:
try:
column = loglist[index]
except IndexError:
logger.warning("Column %s does not exist!", index + 1)
continue
else:
if column == "":
logger.debug("Column %s is empty.", index + 1)
continue
ip_str, ip = self.extract_ip(column)
if ip:
trunc_ip = self.process_ip(ip)
loglist[index] = column.replace(ip_str, str(trunc_ip))
elif self.replace:
loglist[index] = self.replace
return self.delimiter.join(loglist)
def process_line(self, line):
"""
This function processes a single line.
It returns the anonymized log line as string.
:param line: str
:return: str
"""
if self.regex:
return self.process_line_regex(line)
return self.process_line_column(line)
@staticmethod
def urlparse_hostname(parsed): # pragma: no cover
"""
This function fetches a hostname
`urlparse().hostname` lowercases the ip. This would prevent us
from properly replacing the string in the log line. That's why we
have to use `urlparse()._hostinfo[0]` here.
For python 2.7 `urlparse()._hostinfo` is not available and we resort to
copy/adapt the urlparse source.
:param parsed: urllib.parse.ParseResult
:return: str
"""
if hasattr(parsed, "_hostinfo"):
# python > 2.7
return parsed._hostinfo[0]
# python 2.7
# copied and adapted from urlparse source
netloc = parsed.netloc.split("@")[-1]
if "[" in netloc and "]" in netloc:
return netloc.split("]")[0][1:]
elif ":" in netloc:
return netloc.split(":")[0]
elif netloc == "":
return None
else:
return netloc
def extract_ip(self, column):
"""
This function extracts the ip from the column and returns it.
It can handle following ip formats:
- 192.168.100.200
- 192.168.100.200:80
- 192.168.100.200]
- 192.168.100.200:80]
- 2001:0db8:85a3:0000:0000:8a2e:0370:7334
- [2001:0db8:85a3:0000:0000:8a2e:0370:7334]
- [2001:0db8:85a3:0000:0000:8a2e:0370:7334]]
- [2001:0db8:85a3:0000:0000:8a2e:0370:7334]:443
- [2001:0db8:85a3:0000:0000:8a2e:0370:7334]:443]
:param column: str
:return: tuple (
ip str,
/32 ipaddress.IPv4Network or /128 ipaddress.IPv6Network) or
(None, None)
"""
# first we try if the whole column is just the ip
try:
ip = ipaddress.ip_network(unicode(column))
return column, ip
except ValueError:
# then we try if the ip has the port appended and/or a trailing ']'
try:
# strip additional ']' from column. Ugly but functional
if (column.startswith("[") and column.endswith("]]")) or (
not column.startswith("[") and column.endswith("]")
):
column = column[:-1]
parsed = urlparse("//{}".format(column))
new_column = self.urlparse_hostname(parsed)
ip = ipaddress.ip_network(unicode(new_column))
return new_column, ip
except Exception as e:
logger.warning(e)
return None, None
def truncate_address(self, ip):
"""
Do the actual masking of the IP address
:param ip: ipaddress object
:return: ipaddress object
"""
return ip.supernet(new_prefix=self._prefixes[ip.version])[0]
def _validate_ipmask(mask, bits=32):
"""
Verify if the supplied ip mask is valid.
:param mask: the provided ip mask
:param bits: 32 for ipv4, 128 for ipv6
:return: int
"""
msg = "must be an integer between 1 and {}".format(bits)
try:
mask = int(mask)
except ValueError:
raise argparse.ArgumentTypeError(msg)
if not 0 < mask <= bits:
raise argparse.ArgumentTypeError(msg)
return mask
def _validate_integer_ht_0(value):
"""
Validate if given string is a number higher than 0.
:param value: str or int
:return: int
"""
msg = "must be a positive integer"
try:
value = int(value)
except ValueError:
raise argparse.ArgumentTypeError(msg)
if not value >= 1:
raise argparse.ArgumentTypeError(msg)
return value
def regex_arg_type(value):
try:
re.compile(value)
except re.error as e:
msg = "must be a valid regex."
if hasattr(e, "msg"): # pragma: no cover
# not available on py27
msg = "must be a valid regex. Error: {}".format(e.msg)
raise argparse.ArgumentTypeError(msg)
return value
def parse_arguments(args):
"""
Parse all given arguments.
:param args: list
:return: argparse.Namespace
"""
parser = argparse.ArgumentParser(
description=__description__,
epilog="Example-usage in apache-config:\n"
'CustomLog "| /path/to/anonip.py '
'[OPTIONS] --output /path/to/log" '
"combined\n ",
formatter_class=argparse.RawDescriptionHelpFormatter,
)
parser.add_argument(
"-4",
"--ipv4mask",
metavar="INTEGER",
help="truncate the last n bits (default: %(default)s)",
type=lambda x: _validate_ipmask(x, 32),
)
parser.set_defaults(ipv4mask=12)
parser.add_argument(
"-6",
"--ipv6mask",
type=lambda x: _validate_ipmask(x, 128),
metavar="INTEGER",
help="truncate the last n bits (default: %(default)s)",
)
parser.set_defaults(ipv6mask=84)
parser.add_argument(
"-i",
"--increment",
metavar="INTEGER",
type=lambda x: _validate_integer_ht_0(x),
help="increment the IP address by n (default: %(default)s)",
)
parser.set_defaults(increment=0)
parser.add_argument("-o", "--output", metavar="FILE", help="file to write to")
parser.add_argument(
"--input", metavar="FILE", help="File or FIFO to read from (default: stdin)"
)
parser.add_argument(
"-c",
"--column",
metavar="INTEGER",
dest="columns",
nargs="+",
type=lambda x: _validate_integer_ht_0(x),
help="assume IP address is in column n (1-based indexed; default: 1)",
)
parser.add_argument(
"-l",
"--delimiter",
metavar="STRING",
type=str,
help='log delimiter (default: " ")',
)
parser.add_argument(
"--regex",
metavar="STRING",
nargs="+",
help="regex for detecting IP addresses (use optionally instead of -c)",
type=regex_arg_type,
)
parser.add_argument(
"-r",
"--replace",
metavar="STRING",
help="replacement string in case address parsing fails (Example: 0.0.0.0)",
)
parser.add_argument(
"-p",
"--skip-private",
dest="skip_private",
action="store_true",
help="do not mask addresses in private ranges. "
"See IANA Special-Purpose Address Registry.",
)
parser.add_argument(
"-d", "--debug", action="store_true", help="print debug messages"
)
parser.add_argument("-v", "--version", action="version", version=__version__)
args = parser.parse_args(args)
if args.regex and (args.columns is not None or args.delimiter is not None):
raise parser.error(
'Ambiguous arguments: When using "--regex", "-c" and "-l" can\'t be used.'
)
if not args.regex and args.columns is None:
args.columns = [1]
if not args.regex and args.delimiter is None:
args.delimiter = " "
if args.regex:
try:
args.regex = re.compile(r"|".join(args.regex))
except re.error: # pragma: no cover
raise argparse.ArgumentTypeError("Failed to compile concatenated regex!")
return args
def main():
"""
Main CLI function for anonip.
"""
args = parse_arguments(sys.argv[1:])
logging.basicConfig()
if args.debug:
logger.level = logging.DEBUG
else:
logger.level = logging.WARNING
anonip = Anonip(
args.columns,
args.ipv4mask,
args.ipv6mask,
args.increment,
args.delimiter,
args.replace,
args.regex,
args.skip_private,
)
input_file = output_file = None
try:
if args.input:
input_file = open(args.input, "r")
if args.output:
output_file = open(args.output, "a")
else:
output_file = sys.stdout
for line in anonip.run(input_file):
print(unicode(line), file=output_file)
# TODO: when dropping support for Python <= 3.3, move the
# flush into the print()
output_file.flush()
except IOError as err: # pragma: no cover
logger.error(err)
except KeyboardInterrupt: # pragma: no cover
pass
finally:
if args.input and input_file:
input_file.close()
if args.output and output_file:
output_file.close()
if __name__ == "__main__": # pragma: no cover
main()