blob: a037ddba18f3ef84687f216ccdd8423836bc6d84 [file] [log] [blame]
Gilles Peskinef5ea1972019-01-29 08:50:20 +01001#!/usr/bin/env python3
2
3# Copyright (c) 2018, Arm Limited, All Rights Reserved.
4# SPDX-License-Identifier: Apache-2.0
5#
6# Licensed under the Apache License, Version 2.0 (the "License"); you may
7# not use this file except in compliance with the License.
8# You may obtain a copy of the License at
9#
10# http://www.apache.org/licenses/LICENSE-2.0
11#
12# Unless required by applicable law or agreed to in writing, software
13# distributed under the License is distributed on an "AS IS" BASIS, WITHOUT
14# WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
15# See the License for the specific language governing permissions and
16# limitations under the License.
17#
18# This file is part of Mbed TLS (https://tls.mbed.org)
19
20"""Test Mbed TLS with a subset of algorithms.
21"""
22
23import argparse
24import os
25import re
26import shutil
27import subprocess
28import sys
29import traceback
30
Andrzej Kurekb95ba9a2022-10-04 15:02:41 -040031class Colors: # pylint: disable=too-few-public-methods
Gilles Peskinefd1d69c2019-01-29 18:48:48 +010032 """Minimalistic support for colored output.
33Each field of an object of this class is either None if colored output
34is not possible or not desired, or a pair of strings (start, stop) such
35that outputting start switches the text color to the desired color and
36stop switches the text color back to the default."""
37 red = None
38 green = None
39 bold_red = None
40 bold_green = None
41 def __init__(self, options=None):
Andrzej Kurekb95ba9a2022-10-04 15:02:41 -040042 """Initialize color profile according to passed options."""
Gilles Peskinefd1d69c2019-01-29 18:48:48 +010043 if not options or options.color in ['no', 'never']:
44 want_color = False
45 elif options.color in ['yes', 'always']:
46 want_color = True
47 else:
48 want_color = sys.stderr.isatty()
49 if want_color:
50 # Assume ANSI compatible terminal
51 normal = '\033[0m'
52 self.red = ('\033[31m', normal)
53 self.green = ('\033[32m', normal)
54 self.bold_red = ('\033[1;31m', normal)
55 self.bold_green = ('\033[1;32m', normal)
56NO_COLORS = Colors(None)
57
58def log_line(text, prefix='depends.py:', suffix='', color=None):
Gilles Peskinef5ea1972019-01-29 08:50:20 +010059 """Print a status message."""
Andrzej Kurekb95ba9a2022-10-04 15:02:41 -040060 if color is not None:
Gilles Peskinefd1d69c2019-01-29 18:48:48 +010061 prefix = color[0] + prefix
62 suffix = suffix + color[1]
63 sys.stderr.write(prefix + ' ' + text + suffix + '\n')
Gilles Peskinee6a60db2019-01-29 18:42:55 +010064 sys.stderr.flush()
Gilles Peskinef5ea1972019-01-29 08:50:20 +010065
Gilles Peskined43ce2b2019-01-29 18:46:34 +010066def log_command(cmd):
67 """Print a trace of the specified command.
68cmd is a list of strings: a command name and its arguments."""
69 log_line(' '.join(cmd), prefix='+')
70
Gilles Peskinef5ea1972019-01-29 08:50:20 +010071def backup_config(options):
Andrzej Kurek90686252022-09-28 03:17:56 -040072 """Back up the library configuration file (mbedtls_config.h).
Gilles Peskine88e8dd62019-01-29 18:52:16 +010073If the backup file already exists, it is presumed to be the desired backup,
74so don't make another backup."""
75 if os.path.exists(options.config_backup):
76 options.own_backup = False
77 else:
78 options.own_backup = True
79 shutil.copy(options.config, options.config_backup)
Gilles Peskinef5ea1972019-01-29 08:50:20 +010080
Gilles Peskine88e8dd62019-01-29 18:52:16 +010081def restore_config(options):
Andrzej Kurek90686252022-09-28 03:17:56 -040082 """Restore the library configuration file (mbedtls_config.h).
Gilles Peskine88e8dd62019-01-29 18:52:16 +010083Remove the backup file if it was saved earlier."""
84 if options.own_backup:
Gilles Peskinef5ea1972019-01-29 08:50:20 +010085 shutil.move(options.config_backup, options.config)
86 else:
87 shutil.copy(options.config_backup, options.config)
Gilles Peskine88e8dd62019-01-29 18:52:16 +010088
Gilles Peskined43ce2b2019-01-29 18:46:34 +010089def run_config_pl(options, args):
Andrzej Kurekb95ba9a2022-10-04 15:02:41 -040090 """Run scripts/config.py with the specified arguments."""
91 cmd = ['scripts/config.py']
Andrzej Kurek90686252022-09-28 03:17:56 -040092 if options.config != 'include/mbedtls/mbedtls_config.h':
Gilles Peskined43ce2b2019-01-29 18:46:34 +010093 cmd += ['--file', options.config]
94 cmd += args
95 log_command(cmd)
96 subprocess.check_call(cmd)
Gilles Peskinef5ea1972019-01-29 08:50:20 +010097
Andrzej Kurekb95ba9a2022-10-04 15:02:41 -040098def set_reference_config(options):
99 """Change the library configuration file (mbedtls_config.h) to the reference state.
100The reference state is the one from which the tested configurations are
101derived."""
102 # Turn off memory management options that are not relevant to
103 # the tests and slow them down.
104 run_config_pl(options, ['full'])
105 run_config_pl(options, ['unset', 'MBEDTLS_MEMORY_BACKTRACE'])
106 run_config_pl(options, ['unset', 'MBEDTLS_MEMORY_BUFFER_ALLOC_C'])
107 run_config_pl(options, ['unset', 'MBEDTLS_MEMORY_DEBUG'])
Andrzej Kurek5b327552022-10-07 16:07:58 -0400108 run_config_pl(options, ['unset', 'MBEDTLS_TEST_HOOKS'])
Andrzej Kurekb95ba9a2022-10-04 15:02:41 -0400109
110def collect_config_symbols(options):
111 """Read the list of settings from mbedtls_config.h.
112Return them in a generator."""
113 with open(options.config, encoding="utf-8") as config_file:
114 rx = re.compile(r'\s*(?://\s*)?#define\s+(\w+)\s*(?:$|/[/*])')
115 for line in config_file:
116 m = re.match(rx, line)
117 if m:
118 yield m.group(1)
119
Gilles Peskinef5ea1972019-01-29 08:50:20 +0100120class Job:
121 """A job builds the library in a specific configuration and runs some tests."""
122 def __init__(self, name, config_settings, commands):
123 """Build a job object.
124The job uses the configuration described by config_settings. This is a
125dictionary where the keys are preprocessor symbols and the values are
126booleans or strings. A boolean indicates whether or not to #define the
127symbol. With a string, the symbol is #define'd to that value.
128After setting the configuration, the job runs the programs specified by
129commands. This is a list of lists of strings; each list of string is a
130command name and its arguments and is passed to subprocess.call with
131shell=False."""
132 self.name = name
133 self.config_settings = config_settings
134 self.commands = commands
135
Gilles Peskinefd1d69c2019-01-29 18:48:48 +0100136 def announce(self, colors, what):
Gilles Peskinef5ea1972019-01-29 08:50:20 +0100137 '''Announce the start or completion of a job.
138If what is None, announce the start of the job.
139If what is True, announce that the job has passed.
140If what is False, announce that the job has failed.'''
141 if what is True:
Gilles Peskinefd1d69c2019-01-29 18:48:48 +0100142 log_line(self.name + ' PASSED', color=colors.green)
Gilles Peskinef5ea1972019-01-29 08:50:20 +0100143 elif what is False:
Gilles Peskinefd1d69c2019-01-29 18:48:48 +0100144 log_line(self.name + ' FAILED', color=colors.red)
Gilles Peskinef5ea1972019-01-29 08:50:20 +0100145 else:
146 log_line('starting ' + self.name)
147
Gilles Peskined43ce2b2019-01-29 18:46:34 +0100148 def configure(self, options):
Gilles Peskinef5ea1972019-01-29 08:50:20 +0100149 '''Set library configuration options as required for the job.
150config_file_name indicates which file to modify.'''
Andrzej Kurekb95ba9a2022-10-04 15:02:41 -0400151 set_reference_config(options)
Gilles Peskinef5ea1972019-01-29 08:50:20 +0100152 for key, value in sorted(self.config_settings.items()):
153 if value is True:
154 args = ['set', key]
155 elif value is False:
156 args = ['unset', key]
157 else:
158 args = ['set', key, value]
Gilles Peskined43ce2b2019-01-29 18:46:34 +0100159 run_config_pl(options, args)
Gilles Peskinef5ea1972019-01-29 08:50:20 +0100160
161 def test(self, options):
162 '''Run the job's build and test commands.
163Return True if all the commands succeed and False otherwise.
164If options.keep_going is false, stop as soon as one command fails. Otherwise
165run all the commands, except that if the first command fails, none of the
166other commands are run (typically, the first command is a build command
167and subsequent commands are tests that cannot run if the build failed).'''
168 built = False
169 success = True
170 for command in self.commands:
Gilles Peskined43ce2b2019-01-29 18:46:34 +0100171 log_command(command)
Gilles Peskinef5ea1972019-01-29 08:50:20 +0100172 ret = subprocess.call(command)
173 if ret != 0:
174 if command[0] not in ['make', options.make_command]:
175 log_line('*** [{}] Error {}'.format(' '.join(command), ret))
176 if not options.keep_going or not built:
177 return False
178 success = False
179 built = True
180 return success
181
182# SSL/TLS versions up to 1.1 and corresponding options. These require
183# both MD5 and SHA-1.
Andrzej Kurekfb3e27e2022-10-04 16:22:22 -0400184SSL_PRE_1_2_DEPENDENCIES = ['MBEDTLS_SSL_CBC_RECORD_SPLITTING',
Gilles Peskinef5ea1972019-01-29 08:50:20 +0100185 'MBEDTLS_SSL_PROTO_SSL3',
186 'MBEDTLS_SSL_PROTO_TLS1',
187 'MBEDTLS_SSL_PROTO_TLS1_1']
188
189# If the configuration option A requires B, make sure that
Andrzej Kurekfb3e27e2022-10-04 16:22:22 -0400190# B in REVERSE_DEPENDENCIES[A].
Gilles Peskineb81f4062019-01-29 19:30:40 +0100191# All the information here should be contained in check_config.h. This
192# file includes a copy because it changes rarely and it would be a pain
193# to extract automatically.
Andrzej Kurekfb3e27e2022-10-04 16:22:22 -0400194REVERSE_DEPENDENCIES = {
Gilles Peskine3ce0e322019-01-29 23:12:28 +0100195 'MBEDTLS_AES_C': ['MBEDTLS_CTR_DRBG_C',
Andrzej Kurek90686252022-09-28 03:17:56 -0400196 'MBEDTLS_NIST_KW_C'],
Gilles Peskine3ce0e322019-01-29 23:12:28 +0100197 'MBEDTLS_CHACHA20_C': ['MBEDTLS_CHACHAPOLY_C'],
Andrzej Kurek90686252022-09-28 03:17:56 -0400198 'MBEDTLS_ECDSA_C': ['MBEDTLS_KEY_EXCHANGE_ECDHE_ECDSA_ENABLED',
199 'MBEDTLS_KEY_EXCHANGE_ECDH_ECDSA_ENABLED'],
Gilles Peskinef5ea1972019-01-29 08:50:20 +0100200 'MBEDTLS_ECP_C': ['MBEDTLS_ECDSA_C',
201 'MBEDTLS_ECDH_C',
202 'MBEDTLS_ECJPAKE_C',
203 'MBEDTLS_KEY_EXCHANGE_ECDH_ECDSA_ENABLED',
204 'MBEDTLS_KEY_EXCHANGE_ECDH_RSA_ENABLED',
205 'MBEDTLS_KEY_EXCHANGE_ECDHE_PSK_ENABLED',
206 'MBEDTLS_KEY_EXCHANGE_ECDHE_RSA_ENABLED',
Andrzej Kurek90686252022-09-28 03:17:56 -0400207 'MBEDTLS_KEY_EXCHANGE_ECDHE_ECDSA_ENABLED',
208 'MBEDTLS_KEY_EXCHANGE_ECJPAKE_ENABLED'],
Gilles Peskineb81f4062019-01-29 19:30:40 +0100209 'MBEDTLS_ECP_DP_SECP256R1_ENABLED': ['MBEDTLS_KEY_EXCHANGE_ECJPAKE_ENABLED'],
Andrzej Kurekfb3e27e2022-10-04 16:22:22 -0400210 'MBEDTLS_MD5_C': SSL_PRE_1_2_DEPENDENCIES,
Gilles Peskinef5ea1972019-01-29 08:50:20 +0100211 'MBEDTLS_PKCS1_V21': ['MBEDTLS_X509_RSASSA_PSS_SUPPORT'],
212 'MBEDTLS_PKCS1_V15': ['MBEDTLS_KEY_EXCHANGE_DHE_RSA_ENABLED',
213 'MBEDTLS_KEY_EXCHANGE_ECDHE_RSA_ENABLED',
214 'MBEDTLS_KEY_EXCHANGE_RSA_PSK_ENABLED',
215 'MBEDTLS_KEY_EXCHANGE_RSA_ENABLED'],
216 'MBEDTLS_RSA_C': ['MBEDTLS_X509_RSASSA_PSS_SUPPORT',
217 'MBEDTLS_KEY_EXCHANGE_DHE_RSA_ENABLED',
218 'MBEDTLS_KEY_EXCHANGE_ECDHE_RSA_ENABLED',
219 'MBEDTLS_KEY_EXCHANGE_RSA_PSK_ENABLED',
Andrzej Kurek90686252022-09-28 03:17:56 -0400220 'MBEDTLS_KEY_EXCHANGE_RSA_ENABLED',
221 'MBEDTLS_KEY_EXCHANGE_ECDH_RSA_ENABLED'],
Andrzej Kurekfb3e27e2022-10-04 16:22:22 -0400222 'MBEDTLS_SHA1_C': SSL_PRE_1_2_DEPENDENCIES,
Gilles Peskineb81f4062019-01-29 19:30:40 +0100223 'MBEDTLS_SHA256_C': ['MBEDTLS_KEY_EXCHANGE_ECJPAKE_ENABLED',
Andrzej Kurek90686252022-09-28 03:17:56 -0400224 'MBEDTLS_ENTROPY_FORCE_SHA256',
225 'MBEDTLS_SHA224_C',
226 'MBEDTLS_SHA256_USE_A64_CRYPTO_IF_PRESENT',
227 'MBEDTLS_SHA256_USE_A64_CRYPTO_ONLY',
228 'MBEDTLS_SSL_PROTO_TLS1_3'],
229 'MBEDTLS_SHA512_C': ['MBEDTLS_SHA384_C',
230 'MBEDTLS_SHA512_USE_A64_CRYPTO_IF_PRESENT',
231 'MBEDTLS_SHA512_USE_A64_CRYPTO_ONLY'],
232 'MBEDTLS_SHA224_C': ['MBEDTLS_KEY_EXCHANGE_ECJPAKE_ENABLED',
233 'MBEDTLS_ENTROPY_FORCE_SHA256',
234 'MBEDTLS_SHA256_C',
235 'MBEDTLS_SHA256_USE_A64_CRYPTO_IF_PRESENT',
236 'MBEDTLS_SHA256_USE_A64_CRYPTO_ONLY'],
237 'MBEDTLS_SHA384_C': ['MBEDTLS_SSL_PROTO_TLS1_3'],
238 'MBEDTLS_X509_RSASSA_PSS_SUPPORT': []
Gilles Peskinef5ea1972019-01-29 08:50:20 +0100239}
240
Andrzej Kurek90686252022-09-28 03:17:56 -0400241# If an option is tested in an exclusive test, alter the following defines.
242# These are not neccesarily dependencies, but just minimal required changes
243# if a given define is the only one enabled from an exclusive group.
Andrzej Kurekfb3e27e2022-10-04 16:22:22 -0400244EXCLUSIVE_GROUPS = {
Andrzej Kurek90686252022-09-28 03:17:56 -0400245 'MBEDTLS_SHA224_C': ['MBEDTLS_SHA256_C'],
246 'MBEDTLS_SHA384_C': ['MBEDTLS_SHA512_C'],
247 'MBEDTLS_ECP_DP_CURVE448_ENABLED': ['!MBEDTLS_ECDSA_C',
Andrzej Kurek798f5c22022-10-04 11:14:59 -0400248 '!MBEDTLS_ECDSA_DETERMINISTIC',
249 '!MBEDTLS_KEY_EXCHANGE_ECDHE_ECDSA_ENABLED',
250 '!MBEDTLS_KEY_EXCHANGE_ECDH_ECDSA_ENABLED',
251 '!MBEDTLS_ECJPAKE_C',
252 '!MBEDTLS_KEY_EXCHANGE_ECJPAKE_ENABLED'],
Andrzej Kurek90686252022-09-28 03:17:56 -0400253 'MBEDTLS_ECP_DP_CURVE25519_ENABLED': ['!MBEDTLS_ECDSA_C',
Andrzej Kurek798f5c22022-10-04 11:14:59 -0400254 '!MBEDTLS_ECDSA_DETERMINISTIC',
255 '!MBEDTLS_KEY_EXCHANGE_ECDHE_ECDSA_ENABLED',
256 '!MBEDTLS_KEY_EXCHANGE_ECDH_ECDSA_ENABLED',
257 '!MBEDTLS_ECJPAKE_C',
258 '!MBEDTLS_KEY_EXCHANGE_ECJPAKE_ENABLED'],
Andrzej Kurek90686252022-09-28 03:17:56 -0400259 'MBEDTLS_ARIA_C': ['!MBEDTLS_CMAC_C'],
260 'MBEDTLS_CAMELLIA_C': ['!MBEDTLS_CMAC_C'],
261 'MBEDTLS_CHACHA20_C': ['!MBEDTLS_CMAC_C', '!MBEDTLS_CCM_C', '!MBEDTLS_GCM_C'],
262 'MBEDTLS_DES_C': ['!MBEDTLS_CCM_C', '!MBEDTLS_GCM_C'],
263}
264def handle_exclusive_groups(config_settings, symbol):
265 """For every symbol tested in an exclusive group check if there are other
266defines to be altered. """
Andrzej Kurekfb3e27e2022-10-04 16:22:22 -0400267 for dep in EXCLUSIVE_GROUPS.get(symbol, []):
Andrzej Kurek90686252022-09-28 03:17:56 -0400268 unset = dep.startswith('!')
269 if unset:
Andrzej Kurek798f5c22022-10-04 11:14:59 -0400270 dep = dep[1:]
Andrzej Kurek90686252022-09-28 03:17:56 -0400271 config_settings[dep] = not unset
272
Gilles Peskinef5ea1972019-01-29 08:50:20 +0100273def turn_off_dependencies(config_settings):
274 """For every option turned off config_settings, also turn off what depends on it.
275An option O is turned off if config_settings[O] is False."""
276 for key, value in sorted(config_settings.items()):
277 if value is not False:
278 continue
Andrzej Kurekfb3e27e2022-10-04 16:22:22 -0400279 for dep in REVERSE_DEPENDENCIES.get(key, []):
Gilles Peskinef5ea1972019-01-29 08:50:20 +0100280 config_settings[dep] = False
281
Andrzej Kurek068a73f2022-10-06 18:52:44 -0400282class BaseDomain: # pylint: disable=too-few-public-methods, unused-argument
283 """A base class for all domains."""
284 def __init__(self, symbols, commands, exclude):
285 """Initialize the jobs container"""
286 self.jobs = []
287
288class ExclusiveDomain(BaseDomain): # pylint: disable=too-few-public-methods
Gilles Peskinef5ea1972019-01-29 08:50:20 +0100289 """A domain consisting of a set of conceptually-equivalent settings.
290Establish a list of configuration symbols. For each symbol, run a test job
Andrzej Kurek2e105b52022-10-06 16:57:38 -0400291with this symbol set and the others unset."""
Gilles Peskine3dd0dab2019-01-29 18:56:03 +0100292 def __init__(self, symbols, commands, exclude=None):
293 """Build a domain for the specified list of configuration symbols.
Andrzej Kurek2e105b52022-10-06 16:57:38 -0400294The domain contains a set of jobs that enable one of the elements
295of symbols and disable the others.
Gilles Peskine3dd0dab2019-01-29 18:56:03 +0100296Each job runs the specified commands.
297If exclude is a regular expression, skip generated jobs whose description
298would match this regular expression."""
Andrzej Kurek068a73f2022-10-06 18:52:44 -0400299 super().__init__(symbols, commands, exclude)
Andrzej Kurek2e105b52022-10-06 16:57:38 -0400300 base_config_settings = {}
301 for symbol in symbols:
302 base_config_settings[symbol] = False
303 for symbol in symbols:
304 description = symbol
305 if exclude and re.match(exclude, description):
306 continue
307 config_settings = base_config_settings.copy()
308 config_settings[symbol] = True
309 handle_exclusive_groups(config_settings, symbol)
310 turn_off_dependencies(config_settings)
311 job = Job(description, config_settings, commands)
312 self.jobs.append(job)
Gilles Peskinef5ea1972019-01-29 08:50:20 +0100313
Andrzej Kurek068a73f2022-10-06 18:52:44 -0400314class ComplementaryDomain(BaseDomain): # pylint: disable=too-few-public-methods
Gilles Peskinef5ea1972019-01-29 08:50:20 +0100315 """A domain consisting of a set of loosely-related settings.
316Establish a list of configuration symbols. For each symbol, run a test job
317with this symbol unset."""
Andrzej Kurek068a73f2022-10-06 18:52:44 -0400318 def __init__(self, symbols, commands, exclude=None):
Gilles Peskine3dd0dab2019-01-29 18:56:03 +0100319 """Build a domain for the specified list of configuration symbols.
320Each job in the domain disables one of the specified symbols.
321Each job runs the specified commands."""
Andrzej Kurek068a73f2022-10-06 18:52:44 -0400322 super().__init__(symbols, commands, exclude)
Gilles Peskinef5ea1972019-01-29 08:50:20 +0100323 for symbol in symbols:
324 description = '!' + symbol
Andrzej Kurek068a73f2022-10-06 18:52:44 -0400325 if exclude and re.match(exclude, description):
326 continue
Gilles Peskinef5ea1972019-01-29 08:50:20 +0100327 config_settings = {symbol: False}
328 turn_off_dependencies(config_settings)
329 job = Job(description, config_settings, commands)
330 self.jobs.append(job)
331
Andrzej Kurek068a73f2022-10-06 18:52:44 -0400332class DualDomain(ExclusiveDomain, ComplementaryDomain): # pylint: disable=too-few-public-methods
333 """A domain that contains both the ExclusiveDomain and BaseDomain tests"""
334 def __init__(self, symbols, commands, exclude=None):
335 super().__init__(symbols=symbols, commands=commands, exclude=exclude)
336
Andrzej Kurekb95ba9a2022-10-04 15:02:41 -0400337class CipherInfo: # pylint: disable=too-few-public-methods
Gilles Peskine3ce0e322019-01-29 23:12:28 +0100338 """Collect data about cipher.h."""
Andrzej Kurekb95ba9a2022-10-04 15:02:41 -0400339 def __init__(self):
Gilles Peskine3ce0e322019-01-29 23:12:28 +0100340 self.base_symbols = set()
Andrzej Kurekb95ba9a2022-10-04 15:02:41 -0400341 with open('include/mbedtls/cipher.h', encoding="utf-8") as fh:
Gilles Peskine3ce0e322019-01-29 23:12:28 +0100342 for line in fh:
343 m = re.match(r' *MBEDTLS_CIPHER_ID_(\w+),', line)
344 if m and m.group(1) not in ['NONE', 'NULL', '3DES']:
345 self.base_symbols.add('MBEDTLS_' + m.group(1) + '_C')
346
Gilles Peskinef5ea1972019-01-29 08:50:20 +0100347class DomainData:
Andrzej Kurekb95ba9a2022-10-04 15:02:41 -0400348 """A container for domains and jobs, used to structurize testing."""
Gilles Peskinef5ea1972019-01-29 08:50:20 +0100349 def config_symbols_matching(self, regexp):
Andrzej Kurek90686252022-09-28 03:17:56 -0400350 """List the mbedtls_config.h settings matching regexp."""
Gilles Peskinef5ea1972019-01-29 08:50:20 +0100351 return [symbol for symbol in self.all_config_symbols
352 if re.match(regexp, symbol)]
353
354 def __init__(self, options):
355 """Gather data about the library and establish a list of domains to test."""
356 build_command = [options.make_command, 'CFLAGS=-Werror']
357 build_and_test = [build_command, [options.make_command, 'test']]
Andrzej Kurekb95ba9a2022-10-04 15:02:41 -0400358 self.all_config_symbols = set(collect_config_symbols(options))
Gilles Peskinef5ea1972019-01-29 08:50:20 +0100359 # Find hash modules by name.
360 hash_symbols = self.config_symbols_matching(r'MBEDTLS_(MD|RIPEMD|SHA)[0-9]+_C\Z')
361 # Find elliptic curve enabling macros by name.
362 curve_symbols = self.config_symbols_matching(r'MBEDTLS_ECP_DP_\w+_ENABLED\Z')
363 # Find key exchange enabling macros by name.
364 key_exchange_symbols = self.config_symbols_matching(r'MBEDTLS_KEY_EXCHANGE_\w+_ENABLED\Z')
Gilles Peskine3ce0e322019-01-29 23:12:28 +0100365 # Find cipher IDs (block permutations and stream ciphers --- chaining
366 # and padding modes are exercised separately) information by parsing
Andrzej Kurek90686252022-09-28 03:17:56 -0400367 # cipher.h, as the information is not readily available in mbedtls_config.h.
368
Andrzej Kurekb95ba9a2022-10-04 15:02:41 -0400369 cipher_info = CipherInfo()
Gilles Peskine3ce0e322019-01-29 23:12:28 +0100370 # Find block cipher chaining and padding mode enabling macros by name.
371 cipher_chaining_symbols = self.config_symbols_matching(r'MBEDTLS_CIPHER_MODE_\w+\Z')
372 cipher_padding_symbols = self.config_symbols_matching(r'MBEDTLS_CIPHER_PADDING_\w+\Z')
Gilles Peskinef5ea1972019-01-29 08:50:20 +0100373 self.domains = {
Gilles Peskine3ce0e322019-01-29 23:12:28 +0100374 # Cipher IDs, chaining modes and padding modes. Run the test suites.
375 'cipher_id': ExclusiveDomain(cipher_info.base_symbols,
376 build_and_test),
377 'cipher_chaining': ExclusiveDomain(cipher_chaining_symbols,
378 build_and_test),
379 'cipher_padding': ExclusiveDomain(cipher_padding_symbols,
380 build_and_test),
Gilles Peskinef5ea1972019-01-29 08:50:20 +0100381 # Elliptic curves. Run the test suites.
382 'curves': ExclusiveDomain(curve_symbols, build_and_test),
383 # Hash algorithms. Exclude configurations with only one
Andrzej Kurek90686252022-09-28 03:17:56 -0400384 # hash which is obsolete. Run the test suites. Exclude
385 # SHA512 and SHA256, as these are tested with SHA384 and SHA224.
Andrzej Kurek068a73f2022-10-06 18:52:44 -0400386 'hashes': DualDomain(hash_symbols, build_and_test,
387 exclude=r'MBEDTLS_(MD|RIPEMD|SHA1_|SHA256_|SHA512_)' \
388 '|!MBEDTLS_(SHA256_|SHA512_)'),
Gilles Peskine7088a732019-01-29 19:33:05 +0100389 # Key exchange types. Only build the library and the sample
390 # programs.
391 'kex': ExclusiveDomain(key_exchange_symbols,
392 [build_command + ['lib'],
393 build_command + ['-C', 'programs']]),
Gilles Peskinef5ea1972019-01-29 08:50:20 +0100394 'pkalgs': ComplementaryDomain(['MBEDTLS_ECDSA_C',
395 'MBEDTLS_ECP_C',
396 'MBEDTLS_PKCS1_V21',
397 'MBEDTLS_PKCS1_V15',
398 'MBEDTLS_RSA_C',
399 'MBEDTLS_X509_RSASSA_PSS_SUPPORT'],
400 build_and_test),
401 }
402 self.jobs = {}
403 for domain in self.domains.values():
404 for job in domain.jobs:
405 self.jobs[job.name] = job
406
407 def get_jobs(self, name):
408 """Return the list of jobs identified by the given name.
409A name can either be the name of a domain or the name of one specific job."""
410 if name in self.domains:
411 return sorted(self.domains[name].jobs, key=lambda job: job.name)
412 else:
413 return [self.jobs[name]]
414
Gilles Peskinefd1d69c2019-01-29 18:48:48 +0100415def run(options, job, colors=NO_COLORS):
Gilles Peskinef5ea1972019-01-29 08:50:20 +0100416 """Run the specified job (a Job instance)."""
417 subprocess.check_call([options.make_command, 'clean'])
Gilles Peskinefd1d69c2019-01-29 18:48:48 +0100418 job.announce(colors, None)
Gilles Peskined43ce2b2019-01-29 18:46:34 +0100419 job.configure(options)
Gilles Peskinef5ea1972019-01-29 08:50:20 +0100420 success = job.test(options)
Gilles Peskinefd1d69c2019-01-29 18:48:48 +0100421 job.announce(colors, success)
Gilles Peskinef5ea1972019-01-29 08:50:20 +0100422 return success
423
Andrzej Kurekb95ba9a2022-10-04 15:02:41 -0400424def run_tests(options, domain_data):
Gilles Peskinef5ea1972019-01-29 08:50:20 +0100425 """Run the desired jobs.
426domain_data should be a DomainData instance that describes the available
427domains and jobs.
428Run the jobs listed in options.domains."""
429 if not hasattr(options, 'config_backup'):
430 options.config_backup = options.config + '.bak'
Gilles Peskinefd1d69c2019-01-29 18:48:48 +0100431 colors = Colors(options)
Gilles Peskinef5ea1972019-01-29 08:50:20 +0100432 jobs = []
433 failures = []
434 successes = []
435 for name in options.domains:
436 jobs += domain_data.get_jobs(name)
437 backup_config(options)
438 try:
439 for job in jobs:
Gilles Peskinefd1d69c2019-01-29 18:48:48 +0100440 success = run(options, job, colors=colors)
Gilles Peskinef5ea1972019-01-29 08:50:20 +0100441 if not success:
442 if options.keep_going:
443 failures.append(job.name)
444 else:
445 return False
446 else:
447 successes.append(job.name)
Gilles Peskine88e8dd62019-01-29 18:52:16 +0100448 restore_config(options)
449 except:
450 # Restore the configuration, except in stop-on-error mode if there
451 # was an error, where we leave the failing configuration up for
452 # developer convenience.
Gilles Peskinef5ea1972019-01-29 08:50:20 +0100453 if options.keep_going:
Gilles Peskine88e8dd62019-01-29 18:52:16 +0100454 restore_config(options)
455 raise
Gilles Peskinedc68f612019-01-29 18:50:03 +0100456 if successes:
457 log_line('{} passed'.format(' '.join(successes)), color=colors.bold_green)
Gilles Peskinef5ea1972019-01-29 08:50:20 +0100458 if failures:
Gilles Peskinedc68f612019-01-29 18:50:03 +0100459 log_line('{} FAILED'.format(' '.join(failures)), color=colors.bold_red)
Gilles Peskinef5ea1972019-01-29 08:50:20 +0100460 return False
461 else:
Gilles Peskinef5ea1972019-01-29 08:50:20 +0100462 return True
463
Andrzej Kurekb95ba9a2022-10-04 15:02:41 -0400464def main():
Gilles Peskinef5ea1972019-01-29 08:50:20 +0100465 try:
466 parser = argparse.ArgumentParser(description=__doc__)
Gilles Peskinefd1d69c2019-01-29 18:48:48 +0100467 parser.add_argument('--color', metavar='WHEN',
468 help='Colorize the output (always/auto/never)',
469 choices=['always', 'auto', 'never'], default='auto')
Gilles Peskinef5ea1972019-01-29 08:50:20 +0100470 parser.add_argument('-c', '--config', metavar='FILE',
471 help='Configuration file to modify',
Andrzej Kurek90686252022-09-28 03:17:56 -0400472 default='include/mbedtls/mbedtls_config.h')
Gilles Peskinef5ea1972019-01-29 08:50:20 +0100473 parser.add_argument('-C', '--directory', metavar='DIR',
474 help='Change to this directory before anything else',
475 default='.')
476 parser.add_argument('-k', '--keep-going',
477 help='Try all configurations even if some fail (default)',
478 action='store_true', dest='keep_going', default=True)
479 parser.add_argument('-e', '--no-keep-going',
480 help='Stop as soon as a configuration fails',
481 action='store_false', dest='keep_going')
482 parser.add_argument('--list-jobs',
483 help='List supported jobs and exit',
484 action='append_const', dest='list', const='jobs')
485 parser.add_argument('--list-domains',
486 help='List supported domains and exit',
487 action='append_const', dest='list', const='domains')
488 parser.add_argument('--make-command', metavar='CMD',
489 help='Command to run instead of make (e.g. gmake)',
490 action='store', default='make')
491 parser.add_argument('domains', metavar='DOMAIN', nargs='*',
Andrzej Kurekb95ba9a2022-10-04 15:02:41 -0400492 help='The domain(s) to test (default: all). This can \
493 be also a list of jobs to run.',
Gilles Peskinef5ea1972019-01-29 08:50:20 +0100494 default=True)
495 options = parser.parse_args()
496 os.chdir(options.directory)
497 domain_data = DomainData(options)
Andrzej Kurekb95ba9a2022-10-04 15:02:41 -0400498 if options.domains is True:
Gilles Peskinef5ea1972019-01-29 08:50:20 +0100499 options.domains = sorted(domain_data.domains.keys())
500 if options.list:
Andrzej Kurekb95ba9a2022-10-04 15:02:41 -0400501 for arg in options.list:
502 for domain_name in sorted(getattr(domain_data, arg).keys()):
503 print(domain_name)
504 sys.exit(0)
Gilles Peskinef5ea1972019-01-29 08:50:20 +0100505 else:
Andrzej Kurekb95ba9a2022-10-04 15:02:41 -0400506 sys.exit(0 if run_tests(options, domain_data) else 1)
507 except Exception: # pylint: disable=broad-except
Gilles Peskinef5ea1972019-01-29 08:50:20 +0100508 traceback.print_exc()
Andrzej Kurekb95ba9a2022-10-04 15:02:41 -0400509 sys.exit(3)
510
511if __name__ == '__main__':
512 main()