Source code for grammars.transformers

#!/usr/bin/python3
# SPDX-License-Identifier: MIT

import lark
import pathlib

from typing import Literal, Any, Iterable
from testcrush.zoix import Fault
from testcrush.utils import get_logger

log = get_logger()

[docs] class FaultReportFaultListTransformer(lark.Transformer): """ This transformer is expected to act on the grammar of the ``FaultList`` segment of a Z01X txt fault report. After parsing the segment is returning a list of ``zoix.Fault`` objects with the following attributes: - fault_status (str): 2-uppercase-letter status - fault_type (str): 0|1|R|F|~ - timing_info (list[str]): A list with all timing info (if present) e.g., ['6.532ns'] - fault_sites (list[str]): A list of fault sites represented as strings - fault_attributes (dict[str, str]): A dictionary with all fault attributes (if present) Lastly, it resolves on-the-fly any fault equivalences on the generated fault list. """ _prev_fstatus: str = "" _prev_prime: Fault = None _is_prime: bool = False
[docs] @staticmethod def filter_out_discards(container: Iterable) -> filter: return filter(lambda x: x is not lark.Discard, container)
[docs] def start(self, faults: list[Fault]) -> list[Fault]: """ Parsing is finished. The fault list has been generated. """ faults = list(self.filter_out_discards(faults)) return faults
[docs] def optional_name(self, fault_list_name: str) -> lark.visitors._DiscardType: """ Discard the name of the fault list. .. highlight:: python .. code-block:: python FaultList SomeCNAMEfaultListName { ^^^^^^^^^^^^^^^^^^^^^^ discarded """ return lark.Discard
[docs] def fault(self, fault_parts: list[tuple[str, Any]]) -> Fault: """ Returns a ``Fault`` object for each line in the FaultList section. In this part of the AST all fault information has been parsed and all information needed to represent a fault is available. .. highlight:: python .. code-block:: python < 1 1 1> ON 1 { PORT "tb_top.dut.subunit_a.cell.port" } (* "test"->attr=val; *) | \\ ^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^ ^^^^^^^^ Fault Status \\ Fault Sites (list) Fault Attributes (dict) Fault Type Args: fault_parts (list): A list of tuples which hold all information needed to represent a fault. Returns: Fault: A Fault object whose attributes are: - Fault_Status: str - Fault_Type: str - Fault_Sites: list[str] - Fault_Attributes: dict[str, str] """ fault_parts = list(self.filter_out_discards(fault_parts)) # Resolve fault equivalences. if not self._is_prime: self._prev_prime.equivalent_faults += 1 fault = Fault(**dict(fault_parts)) fault.set("equivalent_to", self._prev_prime) else: fault = Fault(**dict(fault_parts)) # Reset the flag self._is_prime = False # Update the previous prime pointer self._prev_prime = fault return fault
[docs] def fault_info(self, args) -> lark.visitors._DiscardType: """ Consumes the fault info segment of a line (if present) and discards it. .. highlight:: python .. code-block:: python < 1 1 1> ON 1 { PORT "tb_top.dut.subunit_a.cell.port" } ^^^^^^ discarded """ return lark.Discard
[docs] @lark.v_args(inline=True) def fault_status(self, fault_status: str) -> tuple[Literal["Fault Status"], str]: """ Consumes the 2-letter fault status attribute of a line. .. highlight:: python .. code-block:: python < 1 1 1> ON 1 { PORT "tb_top.dut.subunit_a.cell.port" } ^^ consumed """ # The -- status is used to mark a # fault as functionally equivalent # to a prime fault which was listed # somewhere above. This means that # it has been already parsed. Hence # we use a class variable to always # point to the current prime fault. # This variable is updated when a # new prime fault is encountered. fault_status = str(fault_status) if fault_status == "--": fault_status = self._prev_fstatus else: self._is_prime = True self._prev_fstatus = fault_status return ("fault_status", fault_status)
[docs] @lark.v_args(inline=True) def fault_type(self, fault_type: str) -> str: """ Provides the fault type attribute of a line. .. highlight:: python .. code-block:: python < 1 1 1> ON 1 { PORT "tb_top.dut.subunit_a.cell.port" } ^ consumed """ return ("fault_type", str(fault_type))
[docs] def timing_info(self, timings: list[str]) -> tuple[Literal["Timing Info"], list[str]]: """ Takes all timing info (if present) and returns it as a list of the string-ified tokens. .. highlight:: python .. code-block:: python < 1> NN R (7.52ns) {FLOP "tb_top.dut.subunit_a.cell.port1"} ^^^^^^ consumed """ return ("timing_info", [str(x) for x in timings])
[docs] def location_info(self, sites: list[str]) -> tuple[Literal['Fault Sites'], list[str]]: """ Provides the fault site's hierarhical path from each parsed line as a list of strings. .. highlight:: python .. code-block:: python < 1 1 1> ON 1 { PORT "tb_top.dut.subunit_a.cell.port1" } + { PORT "tb_top.dut.subunit_a.cell.port2" } ^^^^ ^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^ ^^^^ ^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^ ignored consumed ignored consumed """ return ("fault_sites", sites)
[docs] @lark.v_args(inline=True) def loc_and_site(self, fault_site: str) -> str: """ Provides the fault site's hierarhical path from each parsed line. .. highlight:: python .. code-block:: python < 1 1 1> ON 1 { PORT "tb_top.dut.subunit_a.cell.port" } ^^^^ ^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^ ignored consumed """ fault_site = fault_site.strip('"') return fault_site
[docs] def attributes(self, attributes: list[tuple[str, str]]) -> tuple[Literal["Fault Attributes"], dict[str, str]]: """ Provides attributes (if present) of a prime fault as a list of tuples. Each tuple holds the attribute name and the corresponding attribute value. .. highlight:: python .. code-block:: python < 1 1 1> ON 1 { PORT "tb_top.dut.subunit_a.cell.port" } (* "testname"->attr_a=12345; "testname"->attr_b=0xA) ^^^^^^^^ ^^^^^^ ^^^^^ ^^^^^^^^ ^^^^^^^ ^^^ ignored consumed ignored consumed """ return ("fault_attributes", dict(attributes))
[docs] @lark.v_args(inline=True) def attribute_and_value(self, attribute_name: str, attribute_value: str) -> tuple[str, str]: """ Provides a single attribute (if present) of a prime fault as a tuple. The tuple holds the attribute name and the corresponding attribute value. .. highlight:: python .. code-block:: python < 1 1 1> ON 1 { PORT "tb_top.dut.subunit_a.cell.port" } (* "testname"->attr_a=12345; "testname"->attr_b=0xA) ^^^^^^^^ ^^^^^^ ^^^^^ ignored consumed """ return (str(attribute_name), str(attribute_value))
[docs] class FaultReportStatusGroupsTransformer(lark.Transformer): """ This transformer is expected to act on the grammar of the ``StatusGroups`` segment of a Z01X txt fault report. It constructs and returns a dictionary with keys the group names and keys the statuses of each group. """
[docs] def start(self, groups: list[tuple[str, list[str]]]) -> dict[str, list[str]]: """ Receives all groups in the form of tuples where the index 0 is the group name and index 1 is a list of statuses. Returns a dictionary where each key is a group and the corresponding value is the related statuses as list[str]. """ return {k: v for k, v in groups}
[docs] @lark.v_args(inline=True) def group(self, name: str, statuses: list[str]) -> tuple[str, list[str]]: """ Digests group name and extended group name and receives the transformed statuses. Returns the group name and the statuses (as-is) in the form of a tuple .. highlight:: python .. code-block:: python SA "Safe" (UT, UB, UR, UU); ^^ ^^^^ captured discarded """ return (str(name), statuses)
[docs] @lark.v_args(inline=True) def fault_statuses(self, *statuses) -> list[str]: """ Digests the fault statuses of a group and returns them as a list of strings .. highlight:: python .. code-block:: python SA "Safe" (UT, UB, UR, UU); ^^ ^^ ^^ ^^ captured """ return [str(status.rstrip(", <")) for status in statuses]
[docs] class FaultReportCoverageTransformer(lark.Transformer): """ This transformer is expected to act on the grammar of the ``Coverage`` segment of a Z01X txt fault report. It constructs and returns a dictionary with keys the formula names and keys the corresponding formulas as strings. """
[docs] def start(self, formulas: list[tuple[str, str]]) -> dict[str, str]: """ Accepts a series of formulas in the form of tuples and transforms them into a dictionary. """ return {k: v for k, v in formulas}
[docs] @lark.v_args(inline=True) def formula(self, formula_name: str, formula: str) -> tuple[str, str]: """ Takes the lhs and rhs and returns them as a tuple .. highlight:: python .. code-block:: python "Diagnostic Coverage" = "INT(DD/(NA + DA + DN + DD))"; ^^^^^^^^^^^^^^^^^^^ ^^^^^^^^^^^^^^^^^^^^^^^^ consumed consumed """ return (formula_name, formula)
[docs] @lark.v_args(inline=True) def lhs(self, formula_name: str) -> str: """ Digests the left hand side of a single formula and returns the formula name as string. .. highlight:: python .. code-block:: python "Diagnostic Coverage" = "INT(DD/(NA + DA + DN + DD))"; ^^^^^^^^^^^^^^^^^^^ consumed """ return str(formula_name).strip('"').strip()
[docs] @lark.v_args(inline=True) def rhs(self, formula: str) -> str: """ Digests the right hand side of a single formula while skipping format specifiers (if any). Returns the formula as string. .. highlight:: python .. code-block:: python "Diagnostic Coverage" = "INT(DD/(NA + DA + DN + DD))"; ^^^^^^^^^^^^^^^^^^^^^^^^ consumed """ return str(formula).replace("^", "**") # Pow in py is **
[docs] class TraceTransformerCV32E40P(lark.Transformer): """ Transformer for the grammar of the tracer of CV32E40P. When applied, returns the trace as a list of strings. The string at index 0 is the header and the rest the trace entries. Intended for converting the textual trace format to CSV. More information about the CV32E40P tracer format `here. <https://cv32e40p.readthedocs.io/en/latest/tracer.html>`_ """
[docs] def start(self, header_and_entries: list[str]) -> list[str]: """ Parsing is finished. Accepts the trace as a list of strings and returns it as-is. """ return header_and_entries
[docs] @lark.v_args(inline=True) def header(self, *fields: lark.lexer.Token) -> str: """ Handles the header line of the trace. .. highlight:: python .. code-block:: python Time Cycle PC Instr Decoded instruction Register and memory contents ^^^^ ^^^^^ ^^ ^^^^^ ^^^^^^^^^^^^^^^^^^^ ^^^^^^^^^^^^^^^^^^^^^^^^^^^^ captured captured captured captured captured captured """ return ','.join([str(field).strip() for field in fields])
[docs] @lark.v_args(inline=True) def entries(self, time: lark.lexer.Token, cycle: lark.lexer.Token, pc: lark.lexer.Token, instr: lark.lexer.Token, decoded_instr: lark.lexer.Token, reg_and_mem: lark.lexer.Token | None = None) -> str: """ Processes a single entry line and returns it as a csv-ready string. .. highlight:: python .. code-block:: python 142 67 0000015c c622 c.swsp x8,12(x2) x2:0x00002000 x8:0x00000000 PA:0x0000200c store:0x0 load:0xffffffff ^^^ ^^ ^^^^^^^^ ^^^^ ^^^^^^ ^^^^^^^^^ ^^^^^^^^^^^^^ ^^^^^^^^^^^^^ ^^^^^^^^^^^^^ ^^^^^^^^^ ^^^^^^^^^^^^^^^ Time Cycle PC Instr Decoded Instr. Register and memory contents """ # Remove inline whitespace from string decoded_instr = f"\"{' '.join([ word.strip() for word in decoded_instr.split() if word ])}\"" # Upcast Tokens to str entry = list(map(str, [time, cycle, pc, instr])) entry.append(decoded_instr) if reg_and_mem: entry.append(reg_and_mem) else: entry.append('""') return ','.join(entry)
[docs] @lark.v_args(inline=True) def reg_and_mem(self, *reg_val_pairs: str) -> str: """ Processes a **single** 'Register and memory contents' entry (if present in the trace line). .. highlight:: python .. code-block:: python x2:0x00002000 x8:0x00000000 PA:0x0000200c store:0x0 load:0xffffffff ^^^^^^^^^^^^^ ^^^^^^^^^^^^^ ^^^^^^^^^^^^^ ^^^^^^^^^ ^^^^^^^^^^^^^^^ """ reg_and_mem = f"\"{', '.join([ str(pair).strip() for pair in reg_val_pairs])}\"" return reg_and_mem
[docs] class TraceTransformerFactory: """ Factory pattern for trace transformers and the corresponding grammars. To be used as: .. code-block:: python factory = TraceTransformerFactory() parser = factory("ProcessorString") """ _current_directory = pathlib.Path(__file__).parent _transformers = { "CV32E40P": (TraceTransformerCV32E40P, _current_directory / "trace_cv32e40p.lark") } def __call__(self, processor_type: str) -> lark.Lark: transformer, grammar = self._transformers.get(processor_type, (None, None)) if not transformer: raise KeyError(f"Transformer for {processor_type} not found") with open(grammar) as src: lark_grammar = src.read() return lark.Lark(grammar=lark_grammar, start="start", parser="lalr", transformer=transformer())
[docs] class FaultReportTransformerFactory: """ Factory pattern for Z01X txt fault report transformers and the corresponding grammars. To be used as: .. code-block:: python factory = FaultReportTransformerFactory() parser = factory("FaultReportSectionString") """ _current_directory = pathlib.Path(__file__).parent _transformers = { "FaultList": (FaultReportFaultListTransformer, _current_directory / "frpt_fault_list.lark"), "StatusGroups": (FaultReportStatusGroupsTransformer, _current_directory / "frpt_status_groups.lark"), "Coverage": (FaultReportCoverageTransformer, _current_directory / "frpt_coverage.lark") } def __call__(self, section_string: str) -> lark.Lark: transformer, grammar = self._transformers.get(section_string, (None, None)) if not transformer: raise KeyError(f"Transformer for {section_string} not found") with open(grammar) as src: lark_grammar = src.read() return lark.Lark(grammar=lark_grammar, start="start", parser="lalr", transformer=transformer())