blob: b825df07b748247e212bb81278688a4722a34fb1 [file] [log] [blame]
Werner Lewisfbb75e32022-08-24 11:30:03 +01001#!/usr/bin/env python3
2"""Common test generation classes and main function.
3
4These are used both by generate_psa_tests.py and generate_bignum_tests.py.
5"""
6
7# Copyright The Mbed TLS Contributors
8# SPDX-License-Identifier: Apache-2.0
9#
10# Licensed under the Apache License, Version 2.0 (the "License"); you may
11# not use this file except in compliance with the License.
12# You may obtain a copy of the License at
13#
14# http://www.apache.org/licenses/LICENSE-2.0
15#
16# Unless required by applicable law or agreed to in writing, software
17# distributed under the License is distributed on an "AS IS" BASIS, WITHOUT
18# WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
19# See the License for the specific language governing permissions and
20# limitations under the License.
21
22import argparse
23import os
24import posixpath
25import re
Werner Lewis169034a2022-08-23 16:07:37 +010026
Werner Lewis699e1262022-08-24 12:18:25 +010027from abc import ABCMeta, abstractmethod
Werner Lewisfbb75e32022-08-24 11:30:03 +010028from typing import Callable, Dict, Iterable, List, Type, TypeVar
29
30from mbedtls_dev import build_tree
31from mbedtls_dev import test_case
32
33T = TypeVar('T') #pylint: disable=invalid-name
34
35
Werner Lewis699e1262022-08-24 12:18:25 +010036class BaseTarget(metaclass=ABCMeta):
Werner Lewisfbb75e32022-08-24 11:30:03 +010037 """Base target for test case generation.
38
39 Attributes:
Werner Lewis55e638c2022-08-23 14:21:53 +010040 count: Counter for test cases from this class.
41 case_description: Short description of the test case. This may be
42 automatically generated using the class, or manually set.
43 target_basename: Basename of file to write generated tests to. This
44 should be specified in a child class of BaseTarget.
45 test_function: Test function which the class generates cases for.
46 test_name: A common name or description of the test function. This can
47 be the function's name, or a short summary of its purpose.
Werner Lewisfbb75e32022-08-24 11:30:03 +010048 """
49 count = 0
Werner Lewis55e638c2022-08-23 14:21:53 +010050 case_description = ""
51 target_basename = ""
52 test_function = ""
53 test_name = ""
Werner Lewisfbb75e32022-08-24 11:30:03 +010054
55 def __init__(self) -> None:
56 type(self).count += 1
57
Werner Lewis169034a2022-08-23 16:07:37 +010058 @abstractmethod
Werner Lewis55e638c2022-08-23 14:21:53 +010059 def arguments(self) -> List[str]:
Werner Lewis169034a2022-08-23 16:07:37 +010060 """Get the list of arguments for the test case.
61
62 Override this method to provide the list of arguments required for
63 generating the test_function.
64
65 Returns:
66 List of arguments required for the test function.
67 """
68 pass
Werner Lewisfbb75e32022-08-24 11:30:03 +010069
Werner Lewisfbb75e32022-08-24 11:30:03 +010070 def description(self) -> str:
Werner Lewis169034a2022-08-23 16:07:37 +010071 """Create a test description.
72
73 Creates a description of the test case, including a name for the test
74 function, and describing the specific test case. This should inform a
75 reader of the purpose of the case. The case description may be
76 generated in the class, or provided manually as needed.
77
78 Returns:
79 Description for the test case.
80 """
Werner Lewis55e638c2022-08-23 14:21:53 +010081 return "{} #{} {}".format(self.test_name, self.count, self.case_description)
Werner Lewisfbb75e32022-08-24 11:30:03 +010082
Werner Lewis169034a2022-08-23 16:07:37 +010083
Werner Lewisfbb75e32022-08-24 11:30:03 +010084 def create_test_case(self) -> test_case.TestCase:
Werner Lewis169034a2022-08-23 16:07:37 +010085 """Generate TestCase from the current object."""
Werner Lewisfbb75e32022-08-24 11:30:03 +010086 tc = test_case.TestCase()
Werner Lewis55e638c2022-08-23 14:21:53 +010087 tc.set_description(self.description())
88 tc.set_function(self.test_function)
89 tc.set_arguments(self.arguments())
Werner Lewisfbb75e32022-08-24 11:30:03 +010090
91 return tc
92
93 @classmethod
94 def generate_tests(cls):
Werner Lewis169034a2022-08-23 16:07:37 +010095 """Generate test cases for the target subclasses.
96
Werner Lewis699e1262022-08-24 12:18:25 +010097 During generation, each class will iterate over any subclasses, calling
98 this method in each.
99 In abstract classes, no tests will be generated, as there is no
Werner Lewis169034a2022-08-23 16:07:37 +0100100 function to generate tests for.
Werner Lewis699e1262022-08-24 12:18:25 +0100101 In classes which do implement a test function, this should be overridden
102 and a means to use `create_test_case()` should be added.
Werner Lewis169034a2022-08-23 16:07:37 +0100103 """
Werner Lewisfbb75e32022-08-24 11:30:03 +0100104 for subclass in sorted(cls.__subclasses__(), key=lambda c: c.__name__):
105 yield from subclass.generate_tests()
106
107
108class TestGenerator:
109 """Generate test data."""
110 def __init__(self, options) -> None:
111 self.test_suite_directory = self.get_option(options, 'directory',
112 'tests/suites')
113
114 @staticmethod
115 def get_option(options, name: str, default: T) -> T:
116 value = getattr(options, name, None)
117 return default if value is None else value
118
119 def filename_for(self, basename: str) -> str:
120 """The location of the data file with the specified base name."""
121 return posixpath.join(self.test_suite_directory, basename + '.data')
122
123 def write_test_data_file(self, basename: str,
124 test_cases: Iterable[test_case.TestCase]) -> None:
125 """Write the test cases to a .data file.
126
127 The output file is ``basename + '.data'`` in the test suite directory.
128 """
129 filename = self.filename_for(basename)
130 test_case.write_data_file(filename, test_cases)
131
132 # Note that targets whose names contain 'test_format' have their content
133 # validated by `abi_check.py`.
134 TARGETS = {} # type: Dict[str, Callable[..., test_case.TestCase]]
135
136 def generate_target(self, name: str, *target_args) -> None:
137 """Generate cases and write to data file for a target.
138
139 For target callables which require arguments, override this function
140 and pass these arguments using super() (see PSATestGenerator).
141 """
142 test_cases = self.TARGETS[name](*target_args)
143 self.write_test_data_file(name, test_cases)
144
145def main(args, generator_class: Type[TestGenerator] = TestGenerator):
146 """Command line entry point."""
147 parser = argparse.ArgumentParser(description=__doc__)
148 parser.add_argument('--list', action='store_true',
149 help='List available targets and exit')
150 parser.add_argument('--list-for-cmake', action='store_true',
151 help='Print \';\'-separated list of available targets and exit')
152 parser.add_argument('--directory', metavar='DIR',
153 help='Output directory (default: tests/suites)')
154 parser.add_argument('targets', nargs='*', metavar='TARGET',
155 help='Target file to generate (default: all; "-": none)')
156 options = parser.parse_args(args)
157 build_tree.chdir_to_root()
158 generator = generator_class(options)
159 if options.list:
160 for name in sorted(generator.TARGETS):
161 print(generator.filename_for(name))
162 return
163 # List in a cmake list format (i.e. ';'-separated)
164 if options.list_for_cmake:
165 print(';'.join(generator.filename_for(name)
166 for name in sorted(generator.TARGETS)), end='')
167 return
168 if options.targets:
169 # Allow "-" as a special case so you can run
170 # ``generate_xxx_tests.py - $targets`` and it works uniformly whether
171 # ``$targets`` is empty or not.
172 options.targets = [os.path.basename(re.sub(r'\.data\Z', r'', target))
173 for target in options.targets
174 if target != '-']
175 else:
176 options.targets = sorted(generator.TARGETS)
177 for target in options.targets:
178 generator.generate_target(target)