File: log.py

package info (click to toggle)
intel-gpu-tools 2.2-2
  • links: PTS, VCS
  • area: main
  • in suites: forky, sid
  • size: 63,360 kB
  • sloc: xml: 781,458; ansic: 360,567; python: 8,336; yacc: 2,781; perl: 1,196; sh: 1,177; lex: 487; asm: 227; lisp: 35; makefile: 30
file content (75 lines) | stat: -rw-r--r-- 2,377 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
# SPDX-License-Identifier: MIT
# Copyright © 2024 Intel Corporation

import errno
import fcntl
import functools
import logging
import os
import typing
from pathlib import Path

from bench import exceptions

logger = logging.getLogger('Host-kmsg')

HOST_DMESG_FILE = Path("/tmp/vm-test-bench-host_dmesg.log.tmp")


class LogDecorators():
    """Read and parse kernel log buffer.
    https://www.kernel.org/doc/Documentation/ABI/testing/dev-kmsg
    """
    @staticmethod
    def read_messages(fd: int) -> typing.List[str]:
        buf_size = 4096
        kmsgs = []
        while True:
            try:
                kmsg = os.read(fd, buf_size)
                kmsgs.append(kmsg.decode())
            except OSError as exc:
                if exc.errno == errno.EAGAIN:
                    break

                if exc.errno == errno.EPIPE:
                    pass
                else:
                    raise
        return kmsgs

    @staticmethod
    def parse_messages(kmsgs: typing.List[str]) -> None:
        for msg in kmsgs:
            header, human = msg.split(';', 1)
            # Get priority/facility field (seq, time, other unused for now)
            prio_fac, _, _, _ = header.split(',', 3)
            level = int(prio_fac) & 0x7 # Syslog priority

            if level <= 2: # KERN_CRIT/ALERT/EMERG
                logger.error("[Error: %s]: %s", level, human.strip())
                raise exceptions.HostError(f'Error in dmesg: {human.strip()}')

            logger.debug("%s", human.strip())

    @classmethod
    def parse_kmsg(cls, func: typing.Callable) -> typing.Callable:
        @functools.wraps(func)
        def parse_wrapper(*args: typing.Any, **kwargs: typing.Optional[typing.Any]) -> typing.Any:
            with open('/dev/kmsg', 'r', encoding='utf-8') as f, \
                 open(HOST_DMESG_FILE, 'a', encoding='utf-8') as dmesg_file:

                fd = f.fileno()
                os.lseek(fd, os.SEEK_SET, os.SEEK_END)
                flags = fcntl.fcntl(fd, fcntl.F_GETFL)
                fcntl.fcntl(fd, fcntl.F_SETFL, flags | os.O_NONBLOCK)

                # Execute actual function
                result = func(*args, **kwargs)

                kmsgs = cls.read_messages(fd)
                dmesg_file.writelines(kmsgs)
                cls.parse_messages(kmsgs)

                return result
        return parse_wrapper