diff --git a/.gitignore b/.gitignore new file mode 100644 index 0000000..c5aba5b --- /dev/null +++ b/.gitignore @@ -0,0 +1,4 @@ +# Build output +build/ + +__pycache__ diff --git a/Makefile b/Makefile index b5f3a7a..4ee66d7 100644 --- a/Makefile +++ b/Makefile @@ -34,3 +34,7 @@ latexdiff: latex # "make mode" option. $(O) is meant as a shortcut for $(SPHINXOPTS). %: Makefile @$(SPHINXBUILD) -M $@ "$(SOURCEDIR)" "$(BUILDDIR)" $(SPHINXOPTS) $(O) + +check: + python validate/fit_validate_test.py + pylint validate/*.py diff --git a/README.md b/README.md index df9d944..dbe4054 100644 --- a/README.md +++ b/README.md @@ -82,6 +82,28 @@ Make commands: Output goes in ./build subdirectory. +## FIT Validation ## + +A simple validator is included to check FIT-format files. This is +work-in-progress, in that it does not include the full schema. + +To use it: + +>``` +>pip install dtoc +>validate/fit_validate.py +>''' + +where is the FIT file to validate. + +The files are as follows: + +* fit_validate.py - FIT validator +* fdt_validate.py - Generic devicetree validator +* schema.py - FIT schema +* elements.py - Generic elements used by the schema +* fit_validate_test.py - tests for the FIT validator + ## License ## This project is licensed under the Apache V2 license. More information can be found in the LICENSE and NOTICE file or online at: diff --git a/validate/__init__.py b/validate/__init__.py new file mode 100644 index 0000000..e69de29 diff --git a/validate/elements.py b/validate/elements.py new file mode 100644 index 0000000..038352f --- /dev/null +++ b/validate/elements.py @@ -0,0 +1,365 @@ +# SPDX-License-Identifier: Apache License 2.0 +# +# Copyright 2023 Google LLC +# Written by Simon Glass + +"""Schema elements + +This module provides schema elements that can be used to build up a schema for +validation of a devicetree. +""" + +import re + +from dtoc.fdt import Type +from dtoc import fdt_util + +def get_node_path(prop): + """Get the path of a property's node + + Args: + prop (fdt.Prop): Property to look up + + Returns: + str: Full path to the node containing this property + """ + # pylint: disable=W0212 + return prop._node.path + + +def check_phandle_target(_val, target, target_path_match): + """Check that the target of a phandle matches a pattern + + Args: + _val: Validator (used for model list, etc.) + target: Target node path (string) + target_path_match: Match string. This is the full path to the node that + the target must point to. Some 'wildcard' nodes are supported in the + path: + ANY - matches any node + + Returns: + True if the target matches, False if not + """ + parts = target_path_match.split('/') + target_parts = target.path.split('/') + valid = len(parts) == len(target_parts) + if valid: + for i, part in enumerate(parts): + if part == 'ANY': + continue + if part != target_parts[i]: + valid = False + return valid + + +# pylint: disable=R0903 +class SchemaElement(): + """A schema element, either a property or a subnode + + Args: + name: Name of schema eleent + prop_type: String describing this property type + required: True if this element is mandatory, False if optional + conditional_props: Properties which control whether this element is + present. Dict: + key: name of controlling property + value: True if the property must be present, False if it must be + absent + """ + def __init__(self, name, prop_type, required=False, conditional_props=None): + self.name = name + self.prop_type = prop_type + self.required = required + self.conditional_props = conditional_props + self.parent = None + + def validate(self, val, prop_or_node): + """Validate the schema element against the given property. + + This method is overridden by subclasses. It should call val.fail() if + there is a problem during validation. + + Args: + val: FdtValidator object + prop_or_node (fdt.Prop or fdt.Node): Node or property to validate + """ + + +class PropDesc(SchemaElement): + """A generic property schema element (base class for properties)""" + def validate(self, val, prop_or_node): + self.validate_prop(val, prop_or_node) + + def validate_prop(self, val, prop): + """Validate a property + + Args: + val (FdtValidator): Validator information + prop (fdt.Prop): Property to validate + """ + + +class PropString(PropDesc): + """A string-property + + Args: + str_pattern: Regex to use to validate the string + """ + def __init__(self, name, required=False, str_pattern='', + conditional_props=None): + super().__init__(name, 'string', required, conditional_props) + self.str_pattern = str_pattern + + def validate_prop(self, val, prop): + """Check the string with a regex""" + if not self.str_pattern: + return + pattern = '^' + self.str_pattern + '$' + val_m = re.match(pattern, prop.value) + if not val_m: + val.fail( + get_node_path(prop), + f"'{prop.name}' value '{prop.value}' does not match pattern '{pattern}'") + + +class PropInt(PropDesc): + """Single-cell (32-bit) integer""" + def __init__(self, name, required=False, conditional_props=None): + super().__init__(name, 'int', required, conditional_props) + + def validate_prop(self, val, prop): + """Check the timestamp""" + if prop.type != Type.INT: + val.fail( + get_node_path(prop), + f"'{prop.name}' value '{prop.value}' must be a u32") + + +class PropTimestamp(PropInt): + """A timestamp in u32 format""" + + +class PropAddressCells(PropDesc): + """An #address-cells property""" + def __init__(self, required=False, conditional_props=None): + super().__init__('#address-cells', 'address-cells', required, + conditional_props) + + def validate_prop(self, val, prop): + """Check the timestamp""" + if prop.type != Type.INT: + val.fail( + get_node_path(prop), + f"'{prop.name}' value '{prop.value}' must be a u32") + val = fdt_util.fdt32_to_cpu(prop.value) + if val not in [1, 2]: + val.fail(get_node_path(prop), + f"'{prop.name}' value '{val}' must be 1 or 2") + + +class PropBool(PropDesc): + """Boolean property""" + def __init__(self, name, required=False, conditional_props=None): + super().__init__(name, 'bool', required, conditional_props) + + +class PropStringList(PropDesc): + """A string-list property schema element + + Note that the list may be empty in which case no validation is performed. + + Args: + str_pattern: Regex to use to validate the string + """ + def __init__(self, name, required=False, str_pattern='', + conditional_props=None): + super().__init__(name, 'stringlist', required, conditional_props) + self.str_pattern = str_pattern + + def validate_prop(self, val, prop): + """Check each item of the list with a regex""" + if not self.str_pattern: + return + pattern = '^' + self.str_pattern + '$' + for item in prop.value: + m_str = re.match(pattern, item) + if not m_str: + val.fail( + prop.node.path, + f"'{prop.name}' value '{item}' does not match pattern '{pattern}'") + + +class PropPhandleTarget(PropDesc): + """A phandle-target property schema element + + A phandle target can be pointed to by another node using a phandle property. + """ + def __init__(self, required=False, conditional_props=None): + super().__init__('phandle', 'phandle-target', required, + conditional_props) + + +class PropPhandle(PropDesc): + """A phandle property schema element + + Phandle properties point to other nodes, and allow linking from one node to + another. + + Properties: + target_path_match: String to use to validate the target of this phandle. + It is the full path to the node that it must point to. See + check_phandle_target for details. + """ + def __init__(self, name, target_path_match, required=False, + conditional_props=None): + super().__init__(name, 'phandle', required, conditional_props) + self.target_path_match = target_path_match + + def validate_prop(self, val, prop): + """Check that this phandle points to the correct place""" + phandle = prop.GetPhandle() + target = prop.fdt.LookupPhandle(phandle) + if not check_phandle_target(val, target, self.target_path_match): + val.fail( + prop.node.path, + f"Phandle '{prop.name}' targets node '{target.path}' which does not " + f"match pattern '{self.target_path_match}'") + + +class PropCustom(PropDesc): + """A custom property with its own validator + + Properties: + validator: Function to call to validate this property + """ + def __init__(self, name, validator, required=False, conditional_props=None): + super().__init__(name, 'custom', required, conditional_props) + self.validator = validator + + def validate_prop(self, val, prop): + """Validator for this property + + This should be a static method in FdtValidator. + + Args: + val: FdtValidator object + prop: Prop object of the property + """ + self.validator(val, prop) + + +class PropAny(PropDesc): + """A placeholder for any property name + + Properties: + validator: Function to call to validate this property + """ + def __init__(self, validator=None): + super().__init__('ANY', 'any') + self.validator = validator + + def validate_prop(self, val, prop): + """Validator for this property + + This should be a static method in FdtValidator. + + Args: + val: FdtValidator object + prop: Prop object of the property + """ + if self.validator: + self.validator(val, prop) + + +class PropOneOf(PropDesc): + """Allows selecting one of a variety of options + + Properties: + validator: Function to call to validate this property + """ + def __init__(self, name, required=False, options=None, + conditional_props=None): + super().__init__(name, 'oneof', required, conditional_props) + self.options = options or [] + + def validate_prop(self, val, prop): + """Validator for this property + + This should be a static method in FdtValidator. + + Args: + val: FdtValidator object + prop: Prop object of the property + """ + + +class NodeDesc(SchemaElement): + """A generic node schema element (base class for nodes)""" + def __init__(self, name, required=False, elements=None, + conditional_props=None): + super().__init__(name, 'node', required, conditional_props) + self.elements = elements + for element in elements: + element.parent = self + + def get_nodes(self): + """Get a list of schema elements which are nodes + + Returns: + List of objects, each of which has NodeDesc as a base class + """ + return [n for n in self.elements if isinstance(n, NodeDesc)] + + def validate(self, val, prop_or_node): + self.validate_node(val, prop_or_node) + + def validate_node(self, val, node): + """Validate a node + + Args: + val (FdtValidator): Validator information + node (fdt.Node): Node to validate + """ + + +class NodeModel(NodeDesc): + """A generic node schema element (base class for nodes)""" + def __init__(self, elements): + super().__init__('MODEL', elements=elements) + + +class NodeSubmodel(NodeDesc): + """A generic node schema element (base class for nodes)""" + def __init__(self, elements): + super().__init__('SUBMODEL', elements=elements) + + +class NodeAny(NodeDesc): + """A generic node schema element (base class for nodes)""" + def __init__(self, name_pattern, elements): + super().__init__('ANY', elements=elements) + self.name_pattern = name_pattern + + def validate_node(self, val, node): + """Check the name with a regex""" + if not self.name_pattern: + return + pattern = '^' + self.name_pattern + '$' + m_name = re.match(pattern, node.name) + if not m_name: + val.fail( + node.path, + f"Node name '{node.name}' does not match pattern '{pattern}'") + + +class NodeImage(NodeAny): + """A FIT image node""" + def __init__(self, name_pattern, elements): + super().__init__(name_pattern=name_pattern, elements=elements) + + +class NodeConfig(NodeAny): + """A FIT config node""" + def __init__(self, name_pattern, elements): + super().__init__(name_pattern=name_pattern, elements=elements) diff --git a/validate/fdt_validate.py b/validate/fdt_validate.py new file mode 100644 index 0000000..aea06bf --- /dev/null +++ b/validate/fdt_validate.py @@ -0,0 +1,301 @@ +# SPDX-License-Identifier: Apache License 2.0 +# +# Copyright 2023 Google LLC +# Written by Simon Glass + +"""Validates a given devicetree + +This enforces various rules defined by the schema. Some of these are fairly +simple (the valid properties and subnodes for each node, the allowable values +for properties) and some are more complex (where phandles are allowed to point). + +The schema is defined by Python objects containing variable SchemaElement +subclasses. Each subclass defines how the devicetree property is validated. +For strings this is via a regex. Phandles properties are validated by the +target they are expected to point to. + +Schema elements can be optional or required. Optional elements will not cause +a failure if the node does not include them. + +The presence or absence of a particular schema element can also be controlled +by a 'conditional_props' option. This lists elements that must (or must not) +be present in the node for this element to be present. This provides some +flexibility where the schema for a node has two options, for example, where +the presence of one element conflicts with the presence of others. + +Unit tests can be run like this: + + python validate_config_unittest.py +""" + +import os + +from dtoc import fdt, fdt_util +from validate.elements import NodeAny, NodeDesc +from validate.elements import PropAny, PropDesc + +class FdtValidator(): + """Validator for the master configuration""" + def __init__(self, schema, raise_on_error): + """Master configuration validator. + + Properties: + _errors: List of validation errors detected (each a string) + _fdt: fdt.Fdt object containing device tree to validate + _raise_on_error: True if the validator should raise on the first error + (useful for debugging) + model_list: List of model names found in the config + submodel_list: Dict of submodel names found in the config: + key: Model name + value: List of submodel names + """ + self._errors = [] + self._fdt = None + self._raise_on_error = raise_on_error + self._schema = schema + + # This iniital value matches the standard schema object. This is + # overwritten by the real model list by Start(). + self.model_list = ['MODEL'] + self.submodel_list = {} + + def fail(self, location, msg): + """Record a validation failure + + Args: + location: fdt.Node object where the error occurred + msg: Message to record for this failure + """ + self._errors.append(f'{location}: {msg}') + if self._raise_on_error: + raise ValueError(self._errors[-1]) + + @staticmethod + def _is_builtin_property(node, prop_name): + """Checks if a property is a built-in device-tree construct + + This checks for 'reg', '#address-cells' and '#size-cells' properties which + are valid when correctly used in a device-tree context. + + Args: + node: fdt.Node where the property appears + prop_name: Name of the property + + Returns: + True if this property is a built-in property and does not have to be + covered by the schema + """ + if prop_name == 'reg' and '@' in node.name: + return True + if prop_name in ['#address-cells', '#size-cells']: + for subnode in node.subnodes: + if '@' in subnode.name: + return True + return False + + @staticmethod + def element_present(schema, parent_node): + """Check whether a schema element should be present + + This handles the conditional_props feature. The list of names of sibling + nodes/properties that are actually present is checked to see if any of them + conflict with the conditional properties for this node. If there is a + conflict, then this element is considered to be absent. + + Args: + schema: Schema element to check + parent_node: Parent fdt.Node containing this schema element (or None if + this is not known) + + Returns: + True if this element is present, False if absent + """ + if schema.conditional_props and parent_node: + for rel_name, value in schema.conditional_props.items(): + name = rel_name + schema_target = schema.parent + node_target = parent_node + while name.startswith('../'): + schema_target = schema_target.parent + node_target = node_target.parent + name = name[3:] + parent_props = [e.name for e in schema_target.elements] + sibling_names = set(node_target.props.keys()) + sibling_names |= set(n.name for n in node_target.subnodes) + if name in parent_props and value != (name in sibling_names): + return False + return True + + def get_element(self, schema, name, node, expected=None): + """Get an element from the schema by name + + Args: + schema: Schema element to check + name: Name of element to find (string) + node: Node containing the property (or for nodes, the parent node + containing the subnode) we are looking up. None if none + available + expected: The SchemaElement object that is expected. This can be + NodeDesc if a node is expected, PropDesc if a property is + expected, or None if either is fine. + + Returns: + Tuple: + Schema for the node, or None if none found + True if the node should have schema, False if it can be ignored + (because it is internal to the device-tree format) + """ + for element in schema.elements: + if not self.element_present(element, node): + continue + if element.name == name: + return element, True + if ((expected is None or expected == NodeDesc) and + isinstance(element, NodeAny)): + return element, True + if ((expected is None or expected == PropDesc) and + isinstance(element, PropAny)): + return element, True + if expected == PropDesc: + if name == 'linux,phandle' or self._is_builtin_property(node, name): + return None, False + return None, True + + def get_element_by_path(self, path): + """Find a schema element given its full path + + Args: + path: Full path to look up (e.g. '/chromeos/models/MODEL/thermal/dptf-dv') + + Returns: + SchemaElement object for that path + + Raises: + AttributeError if not found + """ + parts = path.split('/')[1:] + schema = self._schema + for part in parts: + element, _ = self.get_element(schema, part, None) + schema = element + return schema + + def _validate_schema(self, node, schema): + """Simple validation of properties. + + This only handles simple mistakes like getting the name wrong. It + cannot handle relationships between different properties. + + Args: + node: fdt.Node where the property appears + schema: NodeDesc containing schema for this node + """ + schema.validate(self, node) + schema_props = [e.name for e in schema.elements + if isinstance(e, PropDesc) and + self.element_present(e, node)] + + # Validate each property and check that there are no extra properties not + # mentioned in the schema. + for prop_name in node.props.keys(): + if prop_name == 'linux,phandle': # Ignore this (use 'phandle' instead) + continue + element, _ = self.get_element(schema, prop_name, node, PropDesc) + if not element or not isinstance(element, PropDesc): + if prop_name == 'phandle': + self.fail(node.path, 'phandle target not valid for this node') + elif not self._is_builtin_property(node, prop_name): + self.fail( + node.path, + f"Unexpected property '{prop_name}', valid list is " + f"({', '.join(schema_props)})") + continue + element.validate(self, node.props[prop_name]) + + # Check that there are no required properties which we don't have + for element in schema.elements: + if (not isinstance(element, PropDesc) or + not self.element_present(element, node)): + continue + if element.required and element.name not in node.props.keys(): + self.fail( + node.path, + f"Required property '{element.name}' missing") + + # Check that any required subnodes are present + subnode_names = [n.name for n in node.subnodes] + for element in schema.elements: + if (not isinstance(element, NodeDesc) or not element.required + or not self.element_present(element, node)): + continue + if element.name not in subnode_names: + msg = f"Missing subnode '{element.name}'" + if subnode_names: + msg += f" in {', '.join(subnode_names)}" + self.fail(node.path, msg) + + def get_schema(self, node, parent_schema): + """Obtain the schema for a subnode + + This finds the schema for a subnode, by scanning for a matching element. + + Args: + node: fdt.Node whose schema we are searching for + parent_schema: Schema for the parent node, which contains that schema + + Returns: + Schema for the node, or None if none found + """ + schema, needed = self.get_element(parent_schema, node.name, node.parent, + NodeDesc) + if not schema and needed: + elements = [e.name for e in parent_schema.get_nodes() + if self.element_present(e, node.parent)] + self.fail(os.path.dirname(node.path), + f"Unexpected subnode '{node.name}', valid list is " + f"({', '.join(elements)})") + return schema + + def _validate_tree(self, node, parent_schema): + """Validate a node and all its subnodes recursively + + Args: + node: name of fdt.Node to search for + parent_schema: Schema for the parent node + """ + if node.name == '/': + schema = parent_schema + else: + schema = self.get_schema(node, parent_schema) + if schema is None: + return + + self._validate_schema(node, schema) + for subnode in node.subnodes: + self._validate_tree(subnode, schema) + + def prepare(self, _fdt): + """Prepare to validate""" + self._fdt = _fdt + + + def start(self, fname): + """Start validating a master configuration file + + Args: + fname: Filename of devicetree to validate. + Supports compiled .dtb, source .dts and README.md (which + has configuration source between ``` markers) + + Returns: + list of str: List of errors found + """ + self.model_list = [] + self.submodel_list = {} + self._errors = [] + dtb = fdt_util.EnsureCompiled(fname) + self.prepare(fdt.FdtScan(dtb)) + + # Validate the entire master configuration + self._validate_tree(self._fdt.GetRoot(), self._schema) + return self._errors diff --git a/validate/fit_validate.py b/validate/fit_validate.py new file mode 100755 index 0000000..923f459 --- /dev/null +++ b/validate/fit_validate.py @@ -0,0 +1,99 @@ +#!/usr/bin/env python3 +# SPDX-License-Identifier: Apache License 2.0 +# +# Copyright 2023 Google LLC +# Written by Simon Glass + +"""Flat Image Tree (FIT) validator + +This does not use dtschema, at least for now, since: + +- it does not have bindings for FIT +- the errors dtschema shows when things go wrong are verbose and confusing +- the dtschema validation is not powerful enough for checking configurations and + other relations between nodes +""" + +import argparse +import os +import sys + +if __name__ == "__main__": + # Allow 'from validate import xxx to work' + our_path = os.path.dirname(os.path.realpath(__file__)) + sys.path.append(os.path.join(our_path, '..')) + +# pylint: disable=C0413 +from u_boot_pylib import tools +from validate import schema +from validate import fdt_validate + +def parse_args(argv): + """Parse arguments to the program + + Args: + argv (list of str): List of arguments to parse (without argv[0]) + + Returns: + Namespace: Parsed arguments + """ + epilog = 'Validate Flat Image Tree (FIT) files' + parser = argparse.ArgumentParser(epilog=epilog) + parser.add_argument('-r', '--raise-on-error', action='store_true', + help='Causes the validator to raise on the first ' + + 'error it finds. This is useful for debugging.') + parser.add_argument('files', type=str, nargs='*', help='Files to validate') + # parser.add_argument('-U', '--show-environment', action='store_true', + # default=False, help='Show environment changes in summary') + + return parser.parse_args(argv) + +def show_errors(fname, errors): + """Show validation errors + + Args: + fname: Filename containng the errors + errors: List of errors, each a string + """ + print(f'{fname}:', file=sys.stderr) + for error in errors: + print(error, file=sys.stderr) + print(file=sys.stderr) + + +def run_fit_validate(argv=None): + """Main program for FIT validator + + This validates each of the provided files and prints the errors for each, if + any. + + Args: + argv: Arguments to the problem (excluding argv[0]); if None, uses sys.argv + """ + if argv is None: + argv = sys.argv[1:] + args = parse_args(argv) + tools.prepare_output_dir(None) + validator = fdt_validate.FdtValidator(schema.SCHEMA, args.raise_on_error) + found_errors = False + try: + for fname in args.files: + errors = validator.start(fname) + if errors: + found_errors = True + if errors: + show_errors(fname, errors) + found_errors = True + except ValueError as exc: + if args.debug: + raise + print(f'Failed: {exc}', file=sys.stderr) + found_errors = True + tools.finalise_output_dir() + if found_errors: + return 1 + return 0 + + +if __name__ == "__main__": + sys.exit(run_fit_validate()) diff --git a/validate/fit_validate_test.py b/validate/fit_validate_test.py new file mode 100755 index 0000000..085d92d --- /dev/null +++ b/validate/fit_validate_test.py @@ -0,0 +1,162 @@ +#!/usr/bin/env python3 +# SPDX-License-Identifier: Apache License 2.0 +# +# Copyright 2023 Google LLC +# Written by Simon Glass + +"""Unit tests for the config validator""" + +import os +import subprocess +import sys +import tempfile +import unittest + +if __name__ == "__main__": + # Allow 'from validate import xxx to work' + our_path = os.path.dirname(os.path.realpath(__file__)) + sys.path.append(os.path.join(our_path, '..')) + +# pylint: disable=C0413 +from u_boot_pylib import tools +from validate import schema +from validate import fdt_validate + +HEADER = '''/dts-v1/; + +/ { + timestamp = <123456>; + description = "This is my description"; + #address-cells = <1>; + images { + image-1 { + description = "Image description"; + arch = "arm64"; + type = "kernel"; + data = "abc"; + os = "linux"; + project = "linux"; + }; + }; + + configurations { + config-1 { + description = "Configuration description"; + firmware = "image-1"; + }; + }; +}; +''' + +EXTRA = ''' +/ { + wibble { + something; + }; + + images { + extra-prop; + }; +}; +''' + +class UnitTests(unittest.TestCase): + """Unit tests for FdtValidator + + Properties: + val: Validator to use + returncode: Holds the return code for the case where the validator is + called through its command-line interface + """ + def setUp(self): + self.val = fdt_validate.FdtValidator(schema.SCHEMA, False) + self.returncode = 0 + + def run_test(self, dts_source, use_command_line=False, extra_options=None): + """Run the validator with a single source file + + Args: + dts_source: String containing the device-tree source to process + use_command_line: True to run through the command-line interface. + Otherwise the imported validator class is used directly. When using + the command-line interface, the return code is available in + self.returncode, since only one test needs it. + extra_options: Extra command-line arguments to pass + """ + with tempfile.NamedTemporaryFile(suffix='.dts', delete=False) as dts: + dts.write(dts_source.encode('utf-8')) + dts.close() + self.returncode = 0 + if use_command_line: + call_args = ['python', '-m', 'validate.fit_validate', dts.name] + if extra_options: + call_args += extra_options + try: + output = subprocess.check_output(call_args, + stderr=subprocess.STDOUT) + except subprocess.CalledProcessError as exc: + output = exc.output + self.returncode = exc.returncode + errors = output.strip().splitlines() + else: + tools.prepare_output_dir(None) + errors = self.val.start(dts.name) + tools.finalise_output_dir() + if errors: + return errors + os.unlink(dts.name) + return [] + + def _check_all_in(self, err_msg_list, result_lines): + """Check that the given messages appear in the validation result + + All messages must appear, and all lines must be matches. + + Args: + result_lines: List of validation results to check, each a string + err_msg_list: List of error messages to check for + """ + err_msg_set = set(err_msg_list) + for line in result_lines: + found = False + for err_msg in err_msg_set: + if err_msg in line: + err_msg_set.remove(err_msg) + found = True + break + if not found: + self.fail(f'Found unexpected result: {line}') + if err_msg_set: + self.fail("Expected '%s'\n but not found in result: %s" % + (err_msg_set.pop(), '\n'.join(result_lines))) + + def test_base(self): + """Test a skeleton file""" + self.assertEqual([], self.run_test(HEADER)) + + def test_missing(self): + """Test complaining about missing properties""" + lines = [line for line in HEADER.splitlines() + if 'project' not in line and 'firmware' not in line] + missing_dt = '\n'.join(lines) + result = self.run_test(missing_dt) + self._check_all_in([ + "/images/image-1: Required property 'project' missing", + "/configurations/config-1: Required property 'firmware' missing", + ], result) + + def test_comannd_line(self): + """Test that the command-line interface works correctly""" + self.assertEqual([], self.run_test(HEADER, True)) + + def test_extra(self): + """Test complaining about extra nodes and properties""" + result = self.run_test(HEADER + EXTRA) + self.assertEqual( + ["/images: Unexpected property 'extra-prop', valid list is ()", + "/: Unexpected subnode 'wibble', valid list is (images, configurations)"], + result) + + +if __name__ == '__main__': + unittest.main(module=__name__) diff --git a/validate/schema.py b/validate/schema.py new file mode 100644 index 0000000..262eef1 --- /dev/null +++ b/validate/schema.py @@ -0,0 +1,56 @@ +# SPDX-License-Identifier: Apache License 2.0 +# +# Copyright 2023 Google LLC +# Written by Simon Glass + +"""This is the schema. It is a hierarchical set of nodes and properties, just +like the device tree. If an object subclasses NodeDesc then it is a node, +possibly with properties and subnodes. + +In this way it is possible to describe the schema in a fairly natural, +hierarchical way. +""" + +from validate.elements import NodeDesc, NodeConfig, NodeImage +from validate.elements import PropDesc, PropString, PropStringList +from validate.elements import PropInt, PropTimestamp, PropAddressCells, PropBool + +SCHEMA = NodeDesc('/', True, [ + PropTimestamp('timestamp', True), + PropString('description', True), + PropAddressCells(True), + NodeDesc('images', True, [ + NodeImage(r'image-(\d)+', elements=[ + PropString('description', True), + PropTimestamp('timestamp'), + PropString('arch', True), + PropString('type', True), + PropString('compression'), + PropInt('data-offset', True, conditional_props={'data': False}), + PropInt('data-size', True, conditional_props={'data': False}), + PropDesc('data', True, + conditional_props={'data-offset': False, + 'data-size': False}), + PropString('os', True), + PropInt('load'), + PropString('project', True), + PropStringList('capabilities'), + PropString('producer'), + PropInt('uncomp-size'), + PropInt('entry-start', False), + PropInt('entry', False), + PropInt('reloc-start', False), + ]), + ]), + NodeDesc('configurations', True, [ + PropString('default'), + NodeConfig(r'config-(\d)+', elements=[ + PropString('description', True), + PropString('firmware', True), + PropString('fdt'), # Add + PropStringList('loadables'), + PropStringList('compatible'), + PropBool('require-fit'), + ]), + ]), +])