File: log-parser

package info (click to toggle)
snapd 2.71-3
  • links: PTS, VCS
  • area: main
  • in suites: forky, sid
  • size: 79,536 kB
  • sloc: ansic: 16,114; sh: 16,105; python: 9,941; makefile: 1,890; exp: 190; awk: 40; xml: 22
file content (525 lines) | stat: -rwxr-xr-x 15,723 bytes parent folder | download | duplicates (2)
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
#!/usr/bin/env python3

"""
This tool reads a spread log and creates a file with all the data
The output file includes the more important information extracted
from the log to be analyzed
"""

import argparse
import json
import os
import re
import sys

import log_helper as helper


class Phase:
    """
    Phase represents the task/suite/project action in terms of:
    Preparing, Executing and Restoring
    """

    def __init__(self, verb, task, date, time, source_line):
        self.type = "phase"
        self.verb = verb
        self.time = time
        self.date = date
        self.task = task
        self.source_line = source_line

    def __repr__(self):
        return self.source_line

    def to_dict(self):
        return {
            "type": self.type,
            "date": self.date,
            "time": self.time,
            "verb": self.verb,
            "task": self.task,
        }


class Result:
    """
    Result represents the results for a spread run
    The results can be: Successful, failed and aborted
    """

    def __init__(
        self, result_type, level, stage, number, date, time, detail, source_line
    ):
        self.type = "result"
        self.result_type = result_type
        self.level = level
        self.stage = stage
        self.number = number
        self.time = time
        self.date = date
        self.detail = detail
        self.source_line = source_line

    def __repr__(self):
        if self.detail:
            return "{}{}".format(self.source_line, str(self.detail))
        return self.source_line

    def to_dict(self):
        prepared_detail = None
        if self.detail:
            prepared_detail = self.detail.to_dict()
        return {
            "type": self.type,
            "date": self.date,
            "time": self.time,
            "result_type": self.result_type,
            "level": self.level,
            "stage": self.stage,
            "number": self.number,
            "detail": prepared_detail,
        }


class Info:
    """
    Info represents the tasks status information which is included
    in the spread log. The info can be: Error, Debug and Warning.
    """

    def __init__(self, info_type, verb, task, extra, date, time, detail, source_line):
        self.type = "info"
        self.info_type = info_type
        self.verb = verb
        self.time = time
        self.date = date
        self.task = task
        self.extra = extra
        self.detail = detail
        self.source_line = source_line

    def __repr__(self):
        if self.detail:
            return "{}{}".format(self.source_line, self.detail)
        return self.source_line

    def to_dict(self):
        prepared_detail = None
        if self.detail:
            prepared_detail = self.detail.to_dict()
        return {
            "type": self.type,
            "date": self.date,
            "time": self.time,
            "info_type": self.info_type,
            "verb": self.verb,
            "task": self.task,
            "extra": self.extra,
            "detail": prepared_detail,
        }


class Rule:
    """
    Rule represent the KEY=PATTERN used to extract information from a set of lines
    """

    def __init__(self, rule):
        parts = rule.split("=", 1)
        if len(parts) != 2:
            raise ValueError(
                "Error: Rule '{}' does not follow the KEY=PATTERN format".format(rule)
            )

        self.key = parts[0]
        self.pattern = parts[1]

        try:
            re.compile(self.pattern)
        except re.error as err:
            raise ValueError(
                "Error: pattern '{}' cannot be compiled: {}".format(self.pattern, err)
            )

    def filter(self, lines) -> list[str]:
        regex = re.compile(self.pattern)
        all_matches = []
        for line in lines:
            matches = regex.findall(line)
            for match in matches:
                if match:
                    all_matches.append(match)

        return all_matches


class Detail:
    """
    Detail represents the extra lines which are displayed after the info
    """

    def __init__(self, lines_limit: int, lines: list[str], rules: list[str]) -> None:
        self.lines_limit = lines_limit
        self.lines = lines
        self.data = dict[str, list[str]]()
        self._process_rules(rules)

    def _get_lines(self) -> list[str]:
        if self.lines_limit < 0 or self.lines_limit > len(self.lines):
            return self.lines

        # Use self.lines_limit-1 because the last line is a '.' and we don't
        # want to count it as a line in the log details
        return self.lines[-self.lines_limit - 1 :]

    def _process_rules(self, rules) -> None:
        for rule in rules:
            key = rule.key
            matches = rule.filter(self.lines)
            self.data[key] = matches

    def __repr__(self):
        return "".join(self._get_lines())

    def to_dict(self) -> dict[str, list[str]]:
        details_dict = {"lines": self.lines[-self.lines_limit - 1 :]}
        for key in self.data.keys():
            details_dict[key] = self.data[key]

        return details_dict


class Action:
    """
    The actions are general operations that the spread can do while
    executing tests like: Rebooting, Discarding, Allocating, Waiting,
    Allocated, Connecting, Connected, Sending
    """

    def __init__(
        self, verb: str, task: str, extra: str, date: str, time: str, source_line: str
    ) -> None:
        self.type = "action"
        self.verb = verb
        self.time = time
        self.extra = extra
        self.date = date
        self.task = task
        self.source_line = source_line

    def __repr__(self):
        return self.source_line

    def to_dict(self) -> dict[str, str]:
        return {
            "type": self.type,
            "date": self.date,
            "time": self.time,
            "verb": self.verb,
            "task": self.task,
            "extra": self.extra,
        }


class LogReader:
    """
    LogReader manages the spread log, it allows to read, export and print
    """

    def __init__(
        self,
        filepath: str,
        output_type: str,
        lines_limit: str,
        error_rules: str,
        debug_rules: str,
    ) -> None:
        self.filepath = filepath
        self.output_type = output_type
        self.lines_limit = lines_limit
        self.lines = list[str]()
        self.iter = 0
        self.full_log = list[str]()
        self.error_rules = [Rule(rule) for rule in error_rules]
        self.debug_rules = [Rule(rule) for rule in debug_rules]

    def __repr__(self):
        return str(self.to_dict())

    def to_dict(self) -> dict:
        return {"full_log": self.full_log}

    def print_log(self) -> None:
        if not self.full_log:
            return

        print("".join(str(x) for x in self.full_log))

    def export_log(self, filepath: str) -> None:
        prepared_log = []
        for item in self.full_log:
            if isinstance(item, str):
                prepared_log.append(item)
            else:
                prepared_log.append(item.to_dict())
        with open(filepath, "w") as json_file:
            json.dump(prepared_log, json_file, indent=4)

    def _next_line(self) -> str:
        self.iter = self.iter + 1
        return self.lines[self.iter - 1]

    def check_log_exists(self) -> bool:
        return os.path.exists(self.filepath)

    def read_spread_log(self) -> None:
        try:
            with open(self.filepath, "r", encoding="utf-8") as filepath:
                self.lines = filepath.readlines()
        except UnicodeDecodeError:
            with open(self.filepath, "r", encoding="latin-1") as filepath:
                self.lines = filepath.readlines()

        self.iter = 0

        # Then iterate line by line analyzing the log
        while self.iter < len(self.lines):
            line = self._next_line()

            if not helper.is_any_operation(line):
                continue

            # The line is a task execution; preparing, executing, restoring
            if self._match_phase(line):
                phase = self._get_phase(line)
                if phase:
                    self.full_log.append(phase)
                continue

            # The line shows info: error, debug, warning
            if self._match_info(line):
                info = self._get_info(line)
                if info:
                    self.full_log.append(info)
                continue

            # The line is another operation: Rebooting, Discarding, Allocating
            # Waiting, Allocated, Connecting, Connected, Sending'
            if self._match_action(line):
                action = self._get_action(line)
                if action:
                    self.full_log.append(action)
                continue

            # The line is a result: Successful, Aborted, Failed
            if self._match_result(line):
                result = self._get_result(line)
                if result:
                    self.full_log.append(result)
                continue

    def _match_info(self, line: str) -> bool:
        return helper.get_operation(line) in helper.ExecutionInfo.list()

    def _match_phase(self, line: str) -> bool:
        return helper.get_operation(line) in helper.ExecutionPhase.list()

    def _match_action(self, line: str) -> bool:
        return (
            helper.get_operation(line)
            in helper.GeneralAction.list() + helper.GeneralActionStatus.list()
        )

    def _match_result(self, line: str) -> bool:
        return helper.get_operation(line) in helper.Result.list()

    def _get_detail(self, rules, results=False, other_limit=None):
        """
        This function is used to get the piece of log which is after the
        info lines (error, debug, warning). The detail could also include
        a limit of lines to tail the log and show the last lines.
        It returns a Detail object included all the lines.
        """
        detail = []
        while self.iter < len(self.lines):
            previous_line = self.lines[self.iter - 1]
            line = self._next_line()
            if helper.is_detail_finished(line):
                # This is needed because it could happen that in the details there is a spread log
                # because sometimes we run nested spread
                # The is not valid when the details are for failed tests in results section
                if results or previous_line.strip() == ".":
                    break

            detail.append(line)

        # We leave the iter in the last line in case the log has finished
        if not self.iter == len(self.lines):
            self.iter = self.iter - 1
        if not other_limit:
            other_limit = self.lines_limit

        return Detail(other_limit, detail, rules)

    def _get_info(self, line):
        """
        Get the Info object for the error, debug and warning lines including
        the details for this
        """
        date = helper.get_date(line)
        time = helper.get_time(line)
        info_type = helper.get_operation(line)
        info_extra = helper.get_operation_info(line)

        verb = None
        task = None
        if info_type == helper.ExecutionInfo.WARNING.value:
            # Removing the : from WARNING:
            info_type = info_type.split(":")[0]
            verb = None
            task = None
            extra = info_extra
        elif info_type == helper.ExecutionInfo.ERROR.value:
            verb = info_extra.split(" ")[0]
            task = info_extra.split(" ")[1]
            extra = None
        elif info_type == helper.ExecutionInfo.DEBUG.value:
            verb = None
            task = info_extra.split(" ")[2]
            extra = None
        else:
            print("log-parser: detail type not recognized: {}".format(info_type))
            return

        # Pass the rules according to the info type
        rules = self.debug_rules
        if info_type == helper.ExecutionInfo.ERROR.value:
            rules = self.error_rules

        detail = None
        if helper.is_detail(line):
            detail = self._get_detail(rules)

        return Info(info_type, verb, task, extra, date, time, detail, line)

    def _get_result(self, line):
        """Get the Result object including the details for the result"""
        date = helper.get_date(line)
        time = helper.get_time(line)
        result_type = helper.get_operation(line)
        result_extra = helper.get_operation_info(line)
        level = result_extra.split(" ")[0].split(":")[0]
        number = result_extra.split(" ")[-1]

        stage = None
        detail = None
        if result_type == helper.Result.FAILED.value:
            if level in helper.ExecutionLevel.list():
                stage = result_extra.split(" ")[1].split(":")[0]
            detail = self._get_detail([], results=True, other_limit=-1)

        return Result(result_type, level, stage, number, date, time, detail, line)

    def _get_phase(self, line):
        """
        Get the phase object for lines preparing, executing and restoring
        """
        date = helper.get_date(line)
        time = helper.get_time(line)
        verb = helper.get_operation(line)
        task = helper.get_operation_info(line).split(" ")[0]
        return Phase(verb, task.split("...")[0], date, time, line)

    def _get_action(self, line):
        """Get the general actions object for lines rebooting, allocating, etc"""

        date = helper.get_date(line)
        time = helper.get_time(line)
        verb = helper.get_operation(line)
        task = None
        extra = helper.get_operation_info(line)
        return Action(verb, task, extra, date, time, line)


def _make_parser():
    # type: () -> argparse.ArgumentParser
    parser = argparse.ArgumentParser(
        description="""
Parse the spread log and generates a file with a standardized output. It also
allows to filter the output by type and define the number of lines to show
for the error/debug/warning output.
"""
    )
    parser.add_argument(
        "-c",
        "--cut",
        type=int,
        default=1000,
        help="maximum number of lines for logs on errors and debug sections",
    )
    parser.add_argument(
        "-f",
        "--format",
        type=str,
        default="json",
        choices=["json"],
        help="format for the output",
    )
    parser.add_argument(
        "-o",
        "--output",
        default="spread-results.json",
        type=str,
        help="output file to save the result",
    )
    parser.add_argument(
        "-er",
        "--error-rule",
        action="append",
        default=[],
        help="A KEY=PATTERN used to extract and store specific data from errors",
    )
    parser.add_argument(
        "-dr",
        "--debug-rule",
        action="append",
        default=[],
        help="A KEY=PATTERN used to extract and store specific data from debug output",
    )
    parser.add_argument(
        "log_path", metavar="PATH", help="path to the log to be analyzed"
    )
    return parser


def main():
    # type: () -> None
    parser = _make_parser()
    args = parser.parse_args()

    if len(args.log_path) == 0:
        parser.print_usage()
        parser.exit(0)

    reader = LogReader(
        args.log_path,
        args.format,
        args.cut,
        args.error_rule,
        args.debug_rule,
    )
    if not reader.check_log_exists():
        print("log-parser: log not found")
        sys.exit(1)

    reader.read_spread_log()

    if args.output:
        reader.export_log(args.output)

    reader.print_log()


if __name__ == "__main__":
    main()