scl.py 2.6 KB

12345678910111213141516171819202122232425262728293031323334353637383940414243444546474849505152535455565758596061626364656667686970717273747576777879808182
  1. #! /usr/bin/python
  2. #
  3. # SPDX-License-Identifier: Apache-2.0
  4. # Zephyr's Twister library
  5. #
  6. # pylint: disable=unused-import
  7. #
  8. # Set of code that other projects can also import to do things on
  9. # Zephyr's sanity check testcases.
  10. import logging
  11. import yaml
  12. try:
  13. # Use the C LibYAML parser if available, rather than the Python parser.
  14. # It's much faster.
  15. from yaml import CLoader as Loader
  16. from yaml import CSafeLoader as SafeLoader
  17. from yaml import CDumper as Dumper
  18. except ImportError:
  19. from yaml import Loader, SafeLoader, Dumper
  20. log = logging.getLogger("scl")
  21. #
  22. #
  23. def yaml_load(filename):
  24. """
  25. Safely load a YAML document
  26. Follows recomendations from
  27. https://security.openstack.org/guidelines/dg_avoid-dangerous-input-parsing-libraries.html.
  28. :param str filename: filename to load
  29. :raises yaml.scanner: On YAML scan issues
  30. :raises: any other exception on file access erors
  31. :return: dictionary representing the YAML document
  32. """
  33. try:
  34. with open(filename, 'r') as f:
  35. return yaml.load(f, Loader=SafeLoader)
  36. except yaml.scanner.ScannerError as e: # For errors parsing schema.yaml
  37. mark = e.problem_mark
  38. cmark = e.context_mark
  39. log.error("%s:%d:%d: error: %s (note %s context @%s:%d:%d %s)",
  40. mark.name, mark.line, mark.column, e.problem,
  41. e.note, cmark.name, cmark.line, cmark.column, e.context)
  42. raise
  43. # If pykwalify is installed, then the validate functionw ill work --
  44. # otherwise, it is a stub and we'd warn about it.
  45. try:
  46. import pykwalify.core
  47. # Don't print error messages yourself, let us do it
  48. logging.getLogger("pykwalify.core").setLevel(50)
  49. def _yaml_validate(data, schema):
  50. if not schema:
  51. return
  52. c = pykwalify.core.Core(source_data=data, schema_data=schema)
  53. c.validate(raise_exception=True)
  54. except ImportError as e:
  55. log.warning("can't import pykwalify; won't validate YAML (%s)", e)
  56. def _yaml_validate(data, schema):
  57. pass
  58. def yaml_load_verify(filename, schema):
  59. """
  60. Safely load a testcase/sample yaml document and validate it
  61. against the YAML schema, returing in case of success the YAML data.
  62. :param str filename: name of the file to load and process
  63. :param dict schema: loaded YAML schema (can load with :func:`yaml_load`)
  64. # 'document.yaml' contains a single YAML document.
  65. :raises yaml.scanner.ScannerError: on YAML parsing error
  66. :raises pykwalify.errors.SchemaError: on Schema violation error
  67. """
  68. # 'document.yaml' contains a single YAML document.
  69. y = yaml_load(filename)
  70. _yaml_validate(y, schema)
  71. return y