forked from microsoft/logmerge
-
Notifications
You must be signed in to change notification settings - Fork 0
/
logmerge.py
198 lines (166 loc) · 6.55 KB
/
logmerge.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
#!/usr/bin/python3
#
# Copyright (c) Microsoft Corporation. All rights reserved.
#
# See LICENSE for license information.
import argparse
import datetime
import re
cloud_init_pattern = re.compile(r'(\d\d\d\d-\d\d-\d\d \d\d:\d\d:\d\d,\d\d\d) ')
iso8601_pattern = re.compile(r'(\d\d\d\d/\d\d/\d\d \d\d:\d\d:\d\d\.\d+) ')
timestamp_pattern = re.compile(r'((\d+)(\.\d+)?) ')
def make_argument_parser():
"""
Build command line argument parser.
:return: Parser for command line
:rtype argparse.ArgumentParser
"""
parser = argparse.ArgumentParser(prog="logparse",
description="Merge multiple log files, from different sources, preserving order")
parser.add_argument("-p", "--prefix", help="List of prefixes to be applied to log entries", nargs="+")
parser.add_argument("--no-prefix", help="Suppress automatic generation of prefixes", action="store_true")
# parser.add_argument("--colors", help="List of colors for each log", required=False, nargs="+")
parser.add_argument("-c", "--colorize", help="Color-code log output", required=False, action="store_true")
parser.add_argument('logfiles', nargs='+')
return parser
def parse_datetime(line):
"""
Parse the date and time from the beginning of a log line. If no timestamp can be recognized, return None.
:param line: The log line to be parsed
:return: Either a datetime or None
"""
match = iso8601_pattern.match(line)
if match:
entry_datetime = datetime.datetime.strptime(match.group(1), '%Y/%m/%d %H:%M:%S.%f')
return entry_datetime
match = cloud_init_pattern.match(line)
if match:
entry_datetime = datetime.datetime.strptime(match.group(1), '%Y-%m-%d %H:%M:%S,%f')
return entry_datetime
match = timestamp_pattern.match(line)
if match:
entry_datetime = datetime.datetime.utcfromtimestamp(float(match.group(1)))
return entry_datetime
return None
class Logfile:
def _advance(self):
"""
Read and accumulate saved line plus continuation lines (if any). When a line beginning with a timestamp is
found, save that (new initial) line and the timestamp, then return the flattened accumulated array of strings.
Invariant: All lines of the current entry have been read. The instance knows the timestamp of the *next*
log entry, and has already read the first line of that entry, *or* EOF has been reached and the appropriate
internal marker has been set. The instance is prepared for either timestamp() or entry() to be called.
:rtype str[]
"""
results = [self._line]
while True:
line = self._f.readline()
if line == '':
self._eof = True
return results
timestamp = parse_datetime(line)
if timestamp is not None:
self._line = line
self._timestamp = timestamp
return results
results.append(line)
def __init__(self, path):
self._f = open(path, "r")
self._eof = False
self._timestamp = datetime.datetime.max
self._line = ''
self._advance() # Ignoring any untimestamped lines at the beginning of the log
def __enter__(self):
return self
def __exit__(self, exc_type, exc_val, exc_tb):
self.close()
def timestamp(self):
if self._eof:
raise EOFError
return self._timestamp
def entry(self):
if self._eof:
raise EOFError
return self._advance()
def close(self):
self._f.close()
self._f = None
self._line = ''
self._eof = True
class LogSet:
def __init__(self, pathnames):
self._logs = {}
for pathname in pathnames:
self._logs[pathname] = Logfile(pathname)
def next_entry(self):
"""
Find the earliest entry in the set of logs, advancing that one logfile to the next entry.
:return: Pathname of the logfile, the entry as an array of one or more lines.
:rtype str, str[]
"""
if len(self._logs) == 0:
raise EOFError
low_path = ''
low_timestamp = datetime.datetime.max
to_delete = []
for log_name, log in self._logs.items():
try:
timestamp = log.timestamp()
except EOFError:
to_delete.append(log_name)
continue
if timestamp <= low_timestamp:
low_path = log_name
low_timestamp = timestamp
for log_name in to_delete:
self._logs[log_name].close()
del self._logs[log_name]
if len(self._logs) == 0:
# Last log hit EOF and was deleted
raise EOFError
return low_path, self._logs[low_path].entry()
def render(line, prefix_arg=None, color=-1):
"""
Turn a line of text into a ready-to-display string.
If prefix_arg is set, prepend it to the line.
If color is set, change to that color at the beginning of the rendered line and change out before the newline (if
there is a newline).
:param str line: Output line to be rendered
:param str prefix_arg: Optional prefix to be stuck at the beginning of the rendered line
:param int color: If 0-255, insert escape codes to display the line in that color
"""
pretext = '' if prefix_arg is None else prefix_arg
if -1 < color < 256:
pretext = "\x1b[38;5;{}m{}".format(str(color), pretext)
if line[-1] == "\n":
line = "{}\x1b[0m\n".format(line[:-1])
else:
line = "{}\x1b[0m".format(line)
return "{}{}".format(pretext, line)
def main():
args = make_argument_parser().parse_args()
if args.logfiles is None or len(args.logfiles) < 2:
print("Requires at least two logfiles")
exit(1)
prefixes = {}
colors = {}
index = 1
limit = len(args.prefix) if args.prefix else 0
no_prefix = args.no_prefix or (args.colorize and limit == 0)
for path in args.logfiles:
if no_prefix:
prefixes[path] = ''
else:
prefixes[path] = "{} ".format(args.prefix[index-1]) if index <= limit else "log{} ".format(index)
colors[path] = index if args.colorize else 15
index += 1
merger = LogSet(args.logfiles)
while True:
try:
path, entry = merger.next_entry()
except EOFError:
exit(0)
for line in entry:
print(render(line, prefixes[path], colors[path]), end='')
main()
# :vi ai sw=4 expandtab ts=4 :