blob: 859cad14a8475ad4669cdfb45ee70da4c788a9c8 [file] [log] [blame]
Gilles Peskineb39e3ec2019-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 Kurek3322c222022-10-04 15:02:41 -040031class Colors: # pylint: disable=too-few-public-methods
Gilles Peskine0fa7cbe2019-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 Kurek3322c222022-10-04 15:02:41 -040042 """Initialize color profile according to passed options."""
Gilles Peskine0fa7cbe2019-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 Peskineb39e3ec2019-01-29 08:50:20 +010059 """Print a status message."""
Andrzej Kurek3322c222022-10-04 15:02:41 -040060 if color is not None:
Gilles Peskine0fa7cbe2019-01-29 18:48:48 +010061 prefix = color[0] + prefix
62 suffix = suffix + color[1]
63 sys.stderr.write(prefix + ' ' + text + suffix + '\n')
Gilles Peskine46c82562019-01-29 18:42:55 +010064 sys.stderr.flush()
Gilles Peskineb39e3ec2019-01-29 08:50:20 +010065
Gilles Peskine54aa5c62019-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 Peskineb39e3ec2019-01-29 08:50:20 +010071def backup_config(options):
Andrzej Kureke05b17f2022-09-28 03:17:56 -040072 """Back up the library configuration file (mbedtls_config.h).
Gilles Peskinebf7537d2019-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 Peskineb39e3ec2019-01-29 08:50:20 +010080
Gilles Peskinebf7537d2019-01-29 18:52:16 +010081def restore_config(options):
Andrzej Kureke05b17f2022-09-28 03:17:56 -040082 """Restore the library configuration file (mbedtls_config.h).
Gilles Peskinebf7537d2019-01-29 18:52:16 +010083Remove the backup file if it was saved earlier."""
84 if options.own_backup:
Gilles Peskineb39e3ec2019-01-29 08:50:20 +010085 shutil.move(options.config_backup, options.config)
86 else:
87 shutil.copy(options.config_backup, options.config)
Gilles Peskinebf7537d2019-01-29 18:52:16 +010088
Gilles Peskine54aa5c62019-01-29 18:46:34 +010089def run_config_pl(options, args):
Andrzej Kurek3322c222022-10-04 15:02:41 -040090 """Run scripts/config.py with the specified arguments."""
91 cmd = ['scripts/config.py']
Andrzej Kureke05b17f2022-09-28 03:17:56 -040092 if options.config != 'include/mbedtls/mbedtls_config.h':
Gilles Peskine54aa5c62019-01-29 18:46:34 +010093 cmd += ['--file', options.config]
94 cmd += args
95 log_command(cmd)
96 subprocess.check_call(cmd)
Gilles Peskineb39e3ec2019-01-29 08:50:20 +010097
Andrzej Kurek3322c222022-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'])
108
109def collect_config_symbols(options):
110 """Read the list of settings from mbedtls_config.h.
111Return them in a generator."""
112 with open(options.config, encoding="utf-8") as config_file:
113 rx = re.compile(r'\s*(?://\s*)?#define\s+(\w+)\s*(?:$|/[/*])')
114 for line in config_file:
115 m = re.match(rx, line)
116 if m:
117 yield m.group(1)
118
Gilles Peskineb39e3ec2019-01-29 08:50:20 +0100119class Job:
120 """A job builds the library in a specific configuration and runs some tests."""
121 def __init__(self, name, config_settings, commands):
122 """Build a job object.
123The job uses the configuration described by config_settings. This is a
124dictionary where the keys are preprocessor symbols and the values are
125booleans or strings. A boolean indicates whether or not to #define the
126symbol. With a string, the symbol is #define'd to that value.
127After setting the configuration, the job runs the programs specified by
128commands. This is a list of lists of strings; each list of string is a
129command name and its arguments and is passed to subprocess.call with
130shell=False."""
131 self.name = name
132 self.config_settings = config_settings
133 self.commands = commands
134
Gilles Peskine0fa7cbe2019-01-29 18:48:48 +0100135 def announce(self, colors, what):
Gilles Peskineb39e3ec2019-01-29 08:50:20 +0100136 '''Announce the start or completion of a job.
137If what is None, announce the start of the job.
138If what is True, announce that the job has passed.
139If what is False, announce that the job has failed.'''
140 if what is True:
Gilles Peskine0fa7cbe2019-01-29 18:48:48 +0100141 log_line(self.name + ' PASSED', color=colors.green)
Gilles Peskineb39e3ec2019-01-29 08:50:20 +0100142 elif what is False:
Gilles Peskine0fa7cbe2019-01-29 18:48:48 +0100143 log_line(self.name + ' FAILED', color=colors.red)
Gilles Peskineb39e3ec2019-01-29 08:50:20 +0100144 else:
145 log_line('starting ' + self.name)
146
Gilles Peskine54aa5c62019-01-29 18:46:34 +0100147 def configure(self, options):
Gilles Peskineb39e3ec2019-01-29 08:50:20 +0100148 '''Set library configuration options as required for the job.
149config_file_name indicates which file to modify.'''
Andrzej Kurek3322c222022-10-04 15:02:41 -0400150 set_reference_config(options)
Gilles Peskineb39e3ec2019-01-29 08:50:20 +0100151 for key, value in sorted(self.config_settings.items()):
152 if value is True:
153 args = ['set', key]
154 elif value is False:
155 args = ['unset', key]
156 else:
157 args = ['set', key, value]
Gilles Peskine54aa5c62019-01-29 18:46:34 +0100158 run_config_pl(options, args)
Gilles Peskineb39e3ec2019-01-29 08:50:20 +0100159
160 def test(self, options):
161 '''Run the job's build and test commands.
162Return True if all the commands succeed and False otherwise.
163If options.keep_going is false, stop as soon as one command fails. Otherwise
164run all the commands, except that if the first command fails, none of the
165other commands are run (typically, the first command is a build command
166and subsequent commands are tests that cannot run if the build failed).'''
167 built = False
168 success = True
169 for command in self.commands:
Gilles Peskine54aa5c62019-01-29 18:46:34 +0100170 log_command(command)
Gilles Peskineb39e3ec2019-01-29 08:50:20 +0100171 ret = subprocess.call(command)
172 if ret != 0:
173 if command[0] not in ['make', options.make_command]:
174 log_line('*** [{}] Error {}'.format(' '.join(command), ret))
175 if not options.keep_going or not built:
176 return False
177 success = False
178 built = True
179 return success
180
181# SSL/TLS versions up to 1.1 and corresponding options. These require
182# both MD5 and SHA-1.
Andrzej Kurek202932f2022-10-04 16:22:22 -0400183SSL_PRE_1_2_DEPENDENCIES = ['MBEDTLS_SSL_CBC_RECORD_SPLITTING',
Gilles Peskineb39e3ec2019-01-29 08:50:20 +0100184 'MBEDTLS_SSL_PROTO_SSL3',
185 'MBEDTLS_SSL_PROTO_TLS1',
186 'MBEDTLS_SSL_PROTO_TLS1_1']
187
188# If the configuration option A requires B, make sure that
Andrzej Kurek202932f2022-10-04 16:22:22 -0400189# B in REVERSE_DEPENDENCIES[A].
Gilles Peskine584c24a2019-01-29 19:30:40 +0100190# All the information here should be contained in check_config.h. This
191# file includes a copy because it changes rarely and it would be a pain
192# to extract automatically.
Andrzej Kurek202932f2022-10-04 16:22:22 -0400193REVERSE_DEPENDENCIES = {
Gilles Peskine34a15572019-01-29 23:12:28 +0100194 'MBEDTLS_AES_C': ['MBEDTLS_CTR_DRBG_C',
Andrzej Kureke05b17f2022-09-28 03:17:56 -0400195 'MBEDTLS_NIST_KW_C'],
Gilles Peskine34a15572019-01-29 23:12:28 +0100196 'MBEDTLS_CHACHA20_C': ['MBEDTLS_CHACHAPOLY_C'],
Andrzej Kureke05b17f2022-09-28 03:17:56 -0400197 'MBEDTLS_ECDSA_C': ['MBEDTLS_KEY_EXCHANGE_ECDHE_ECDSA_ENABLED',
198 'MBEDTLS_KEY_EXCHANGE_ECDH_ECDSA_ENABLED'],
Gilles Peskineb39e3ec2019-01-29 08:50:20 +0100199 'MBEDTLS_ECP_C': ['MBEDTLS_ECDSA_C',
200 'MBEDTLS_ECDH_C',
201 'MBEDTLS_ECJPAKE_C',
202 'MBEDTLS_KEY_EXCHANGE_ECDH_ECDSA_ENABLED',
203 'MBEDTLS_KEY_EXCHANGE_ECDH_RSA_ENABLED',
204 'MBEDTLS_KEY_EXCHANGE_ECDHE_PSK_ENABLED',
205 'MBEDTLS_KEY_EXCHANGE_ECDHE_RSA_ENABLED',
Andrzej Kureke05b17f2022-09-28 03:17:56 -0400206 'MBEDTLS_KEY_EXCHANGE_ECDHE_ECDSA_ENABLED',
207 'MBEDTLS_KEY_EXCHANGE_ECJPAKE_ENABLED'],
Gilles Peskine584c24a2019-01-29 19:30:40 +0100208 'MBEDTLS_ECP_DP_SECP256R1_ENABLED': ['MBEDTLS_KEY_EXCHANGE_ECJPAKE_ENABLED'],
Andrzej Kurek202932f2022-10-04 16:22:22 -0400209 'MBEDTLS_MD5_C': SSL_PRE_1_2_DEPENDENCIES,
Gilles Peskineb39e3ec2019-01-29 08:50:20 +0100210 'MBEDTLS_PKCS1_V21': ['MBEDTLS_X509_RSASSA_PSS_SUPPORT'],
211 'MBEDTLS_PKCS1_V15': ['MBEDTLS_KEY_EXCHANGE_DHE_RSA_ENABLED',
212 'MBEDTLS_KEY_EXCHANGE_ECDHE_RSA_ENABLED',
213 'MBEDTLS_KEY_EXCHANGE_RSA_PSK_ENABLED',
214 'MBEDTLS_KEY_EXCHANGE_RSA_ENABLED'],
215 'MBEDTLS_RSA_C': ['MBEDTLS_X509_RSASSA_PSS_SUPPORT',
216 'MBEDTLS_KEY_EXCHANGE_DHE_RSA_ENABLED',
217 'MBEDTLS_KEY_EXCHANGE_ECDHE_RSA_ENABLED',
218 'MBEDTLS_KEY_EXCHANGE_RSA_PSK_ENABLED',
Andrzej Kureke05b17f2022-09-28 03:17:56 -0400219 'MBEDTLS_KEY_EXCHANGE_RSA_ENABLED',
220 'MBEDTLS_KEY_EXCHANGE_ECDH_RSA_ENABLED'],
Andrzej Kurek202932f2022-10-04 16:22:22 -0400221 'MBEDTLS_SHA1_C': SSL_PRE_1_2_DEPENDENCIES,
Gilles Peskine584c24a2019-01-29 19:30:40 +0100222 'MBEDTLS_SHA256_C': ['MBEDTLS_KEY_EXCHANGE_ECJPAKE_ENABLED',
Andrzej Kureke05b17f2022-09-28 03:17:56 -0400223 'MBEDTLS_ENTROPY_FORCE_SHA256',
224 'MBEDTLS_SHA224_C',
225 'MBEDTLS_SHA256_USE_A64_CRYPTO_IF_PRESENT',
226 'MBEDTLS_SHA256_USE_A64_CRYPTO_ONLY',
227 'MBEDTLS_SSL_PROTO_TLS1_3'],
228 'MBEDTLS_SHA512_C': ['MBEDTLS_SHA384_C',
229 'MBEDTLS_SHA512_USE_A64_CRYPTO_IF_PRESENT',
230 'MBEDTLS_SHA512_USE_A64_CRYPTO_ONLY'],
231 'MBEDTLS_SHA224_C': ['MBEDTLS_KEY_EXCHANGE_ECJPAKE_ENABLED',
232 'MBEDTLS_ENTROPY_FORCE_SHA256',
233 'MBEDTLS_SHA256_C',
234 'MBEDTLS_SHA256_USE_A64_CRYPTO_IF_PRESENT',
235 'MBEDTLS_SHA256_USE_A64_CRYPTO_ONLY'],
236 'MBEDTLS_SHA384_C': ['MBEDTLS_SSL_PROTO_TLS1_3'],
237 'MBEDTLS_X509_RSASSA_PSS_SUPPORT': []
Gilles Peskineb39e3ec2019-01-29 08:50:20 +0100238}
239
Andrzej Kureke05b17f2022-09-28 03:17:56 -0400240# If an option is tested in an exclusive test, alter the following defines.
241# These are not neccesarily dependencies, but just minimal required changes
242# if a given define is the only one enabled from an exclusive group.
Andrzej Kurek202932f2022-10-04 16:22:22 -0400243EXCLUSIVE_GROUPS = {
Andrzej Kureke05b17f2022-09-28 03:17:56 -0400244 'MBEDTLS_SHA224_C': ['MBEDTLS_SHA256_C'],
245 'MBEDTLS_SHA384_C': ['MBEDTLS_SHA512_C'],
246 'MBEDTLS_ECP_DP_CURVE448_ENABLED': ['!MBEDTLS_ECDSA_C',
Andrzej Kurek0e8b2d72022-10-04 11:14:59 -0400247 '!MBEDTLS_ECDSA_DETERMINISTIC',
248 '!MBEDTLS_KEY_EXCHANGE_ECDHE_ECDSA_ENABLED',
249 '!MBEDTLS_KEY_EXCHANGE_ECDH_ECDSA_ENABLED',
250 '!MBEDTLS_ECJPAKE_C',
251 '!MBEDTLS_KEY_EXCHANGE_ECJPAKE_ENABLED'],
Andrzej Kureke05b17f2022-09-28 03:17:56 -0400252 'MBEDTLS_ECP_DP_CURVE25519_ENABLED': ['!MBEDTLS_ECDSA_C',
Andrzej Kurek0e8b2d72022-10-04 11:14:59 -0400253 '!MBEDTLS_ECDSA_DETERMINISTIC',
254 '!MBEDTLS_KEY_EXCHANGE_ECDHE_ECDSA_ENABLED',
255 '!MBEDTLS_KEY_EXCHANGE_ECDH_ECDSA_ENABLED',
256 '!MBEDTLS_ECJPAKE_C',
257 '!MBEDTLS_KEY_EXCHANGE_ECJPAKE_ENABLED'],
Andrzej Kureke05b17f2022-09-28 03:17:56 -0400258 'MBEDTLS_ARIA_C': ['!MBEDTLS_CMAC_C'],
259 'MBEDTLS_CAMELLIA_C': ['!MBEDTLS_CMAC_C'],
260 'MBEDTLS_CHACHA20_C': ['!MBEDTLS_CMAC_C', '!MBEDTLS_CCM_C', '!MBEDTLS_GCM_C'],
261 'MBEDTLS_DES_C': ['!MBEDTLS_CCM_C', '!MBEDTLS_GCM_C'],
262}
263def handle_exclusive_groups(config_settings, symbol):
264 """For every symbol tested in an exclusive group check if there are other
265defines to be altered. """
Andrzej Kurek202932f2022-10-04 16:22:22 -0400266 for dep in EXCLUSIVE_GROUPS.get(symbol, []):
Andrzej Kureke05b17f2022-09-28 03:17:56 -0400267 unset = dep.startswith('!')
268 if unset:
Andrzej Kurek0e8b2d72022-10-04 11:14:59 -0400269 dep = dep[1:]
Andrzej Kureke05b17f2022-09-28 03:17:56 -0400270 config_settings[dep] = not unset
271
Gilles Peskineb39e3ec2019-01-29 08:50:20 +0100272def turn_off_dependencies(config_settings):
273 """For every option turned off config_settings, also turn off what depends on it.
274An option O is turned off if config_settings[O] is False."""
275 for key, value in sorted(config_settings.items()):
276 if value is not False:
277 continue
Andrzej Kurek202932f2022-10-04 16:22:22 -0400278 for dep in REVERSE_DEPENDENCIES.get(key, []):
Gilles Peskineb39e3ec2019-01-29 08:50:20 +0100279 config_settings[dep] = False
280
Andrzej Kurek3322c222022-10-04 15:02:41 -0400281class ExclusiveDomain: # pylint: disable=too-few-public-methods
Gilles Peskineb39e3ec2019-01-29 08:50:20 +0100282 """A domain consisting of a set of conceptually-equivalent settings.
283Establish a list of configuration symbols. For each symbol, run a test job
Andrzej Kurekfe469492022-10-06 16:57:38 -0400284with this symbol set and the others unset."""
Gilles Peskineb1284cf2019-01-29 18:56:03 +0100285 def __init__(self, symbols, commands, exclude=None):
286 """Build a domain for the specified list of configuration symbols.
Andrzej Kurekfe469492022-10-06 16:57:38 -0400287The domain contains a set of jobs that enable one of the elements
288of symbols and disable the others.
Gilles Peskineb1284cf2019-01-29 18:56:03 +0100289Each job runs the specified commands.
290If exclude is a regular expression, skip generated jobs whose description
291would match this regular expression."""
Gilles Peskineb39e3ec2019-01-29 08:50:20 +0100292 self.jobs = []
Andrzej Kurekfe469492022-10-06 16:57:38 -0400293 base_config_settings = {}
294 for symbol in symbols:
295 base_config_settings[symbol] = False
296 for symbol in symbols:
297 description = symbol
298 if exclude and re.match(exclude, description):
299 continue
300 config_settings = base_config_settings.copy()
301 config_settings[symbol] = True
302 handle_exclusive_groups(config_settings, symbol)
303 turn_off_dependencies(config_settings)
304 job = Job(description, config_settings, commands)
305 self.jobs.append(job)
Gilles Peskineb39e3ec2019-01-29 08:50:20 +0100306
Andrzej Kurek3322c222022-10-04 15:02:41 -0400307class ComplementaryDomain: # pylint: disable=too-few-public-methods
Gilles Peskineb39e3ec2019-01-29 08:50:20 +0100308 """A domain consisting of a set of loosely-related settings.
309Establish a list of configuration symbols. For each symbol, run a test job
310with this symbol unset."""
311 def __init__(self, symbols, commands):
Gilles Peskineb1284cf2019-01-29 18:56:03 +0100312 """Build a domain for the specified list of configuration symbols.
313Each job in the domain disables one of the specified symbols.
314Each job runs the specified commands."""
Gilles Peskineb39e3ec2019-01-29 08:50:20 +0100315 self.jobs = []
316 for symbol in symbols:
317 description = '!' + symbol
318 config_settings = {symbol: False}
319 turn_off_dependencies(config_settings)
320 job = Job(description, config_settings, commands)
321 self.jobs.append(job)
322
Andrzej Kurek3322c222022-10-04 15:02:41 -0400323class CipherInfo: # pylint: disable=too-few-public-methods
Gilles Peskine34a15572019-01-29 23:12:28 +0100324 """Collect data about cipher.h."""
Andrzej Kurek3322c222022-10-04 15:02:41 -0400325 def __init__(self):
Gilles Peskine34a15572019-01-29 23:12:28 +0100326 self.base_symbols = set()
Andrzej Kurek3322c222022-10-04 15:02:41 -0400327 with open('include/mbedtls/cipher.h', encoding="utf-8") as fh:
Gilles Peskine34a15572019-01-29 23:12:28 +0100328 for line in fh:
329 m = re.match(r' *MBEDTLS_CIPHER_ID_(\w+),', line)
330 if m and m.group(1) not in ['NONE', 'NULL', '3DES']:
331 self.base_symbols.add('MBEDTLS_' + m.group(1) + '_C')
332
Gilles Peskineb39e3ec2019-01-29 08:50:20 +0100333class DomainData:
Andrzej Kurek3322c222022-10-04 15:02:41 -0400334 """A container for domains and jobs, used to structurize testing."""
Gilles Peskineb39e3ec2019-01-29 08:50:20 +0100335 def config_symbols_matching(self, regexp):
Andrzej Kureke05b17f2022-09-28 03:17:56 -0400336 """List the mbedtls_config.h settings matching regexp."""
Gilles Peskineb39e3ec2019-01-29 08:50:20 +0100337 return [symbol for symbol in self.all_config_symbols
338 if re.match(regexp, symbol)]
339
340 def __init__(self, options):
341 """Gather data about the library and establish a list of domains to test."""
342 build_command = [options.make_command, 'CFLAGS=-Werror']
343 build_and_test = [build_command, [options.make_command, 'test']]
Andrzej Kurek3322c222022-10-04 15:02:41 -0400344 self.all_config_symbols = set(collect_config_symbols(options))
Gilles Peskineb39e3ec2019-01-29 08:50:20 +0100345 # Find hash modules by name.
346 hash_symbols = self.config_symbols_matching(r'MBEDTLS_(MD|RIPEMD|SHA)[0-9]+_C\Z')
347 # Find elliptic curve enabling macros by name.
348 curve_symbols = self.config_symbols_matching(r'MBEDTLS_ECP_DP_\w+_ENABLED\Z')
349 # Find key exchange enabling macros by name.
350 key_exchange_symbols = self.config_symbols_matching(r'MBEDTLS_KEY_EXCHANGE_\w+_ENABLED\Z')
Gilles Peskine34a15572019-01-29 23:12:28 +0100351 # Find cipher IDs (block permutations and stream ciphers --- chaining
352 # and padding modes are exercised separately) information by parsing
Andrzej Kureke05b17f2022-09-28 03:17:56 -0400353 # cipher.h, as the information is not readily available in mbedtls_config.h.
354
Andrzej Kurek3322c222022-10-04 15:02:41 -0400355 cipher_info = CipherInfo()
Gilles Peskine34a15572019-01-29 23:12:28 +0100356 # Find block cipher chaining and padding mode enabling macros by name.
357 cipher_chaining_symbols = self.config_symbols_matching(r'MBEDTLS_CIPHER_MODE_\w+\Z')
358 cipher_padding_symbols = self.config_symbols_matching(r'MBEDTLS_CIPHER_PADDING_\w+\Z')
Gilles Peskineb39e3ec2019-01-29 08:50:20 +0100359 self.domains = {
Gilles Peskine34a15572019-01-29 23:12:28 +0100360 # Cipher IDs, chaining modes and padding modes. Run the test suites.
361 'cipher_id': ExclusiveDomain(cipher_info.base_symbols,
362 build_and_test),
363 'cipher_chaining': ExclusiveDomain(cipher_chaining_symbols,
364 build_and_test),
365 'cipher_padding': ExclusiveDomain(cipher_padding_symbols,
366 build_and_test),
Gilles Peskineb39e3ec2019-01-29 08:50:20 +0100367 # Elliptic curves. Run the test suites.
368 'curves': ExclusiveDomain(curve_symbols, build_and_test),
369 # Hash algorithms. Exclude configurations with only one
Andrzej Kureke05b17f2022-09-28 03:17:56 -0400370 # hash which is obsolete. Run the test suites. Exclude
371 # SHA512 and SHA256, as these are tested with SHA384 and SHA224.
Gilles Peskineb1284cf2019-01-29 18:56:03 +0100372 'hashes': ExclusiveDomain(hash_symbols, build_and_test,
Andrzej Kurek3322c222022-10-04 15:02:41 -0400373 exclude=r'MBEDTLS_(MD|RIPEMD|SHA1_|SHA256_|SHA512_)\
374 |!MBEDTLS_(SHA256_|SHA512_)'),
Gilles Peskinec3b4dee2019-01-29 19:33:05 +0100375 # Key exchange types. Only build the library and the sample
376 # programs.
377 'kex': ExclusiveDomain(key_exchange_symbols,
378 [build_command + ['lib'],
379 build_command + ['-C', 'programs']]),
Gilles Peskineb39e3ec2019-01-29 08:50:20 +0100380 'pkalgs': ComplementaryDomain(['MBEDTLS_ECDSA_C',
381 'MBEDTLS_ECP_C',
382 'MBEDTLS_PKCS1_V21',
383 'MBEDTLS_PKCS1_V15',
384 'MBEDTLS_RSA_C',
385 'MBEDTLS_X509_RSASSA_PSS_SUPPORT'],
386 build_and_test),
387 }
388 self.jobs = {}
389 for domain in self.domains.values():
390 for job in domain.jobs:
391 self.jobs[job.name] = job
392
393 def get_jobs(self, name):
394 """Return the list of jobs identified by the given name.
395A name can either be the name of a domain or the name of one specific job."""
396 if name in self.domains:
397 return sorted(self.domains[name].jobs, key=lambda job: job.name)
398 else:
399 return [self.jobs[name]]
400
Gilles Peskine0fa7cbe2019-01-29 18:48:48 +0100401def run(options, job, colors=NO_COLORS):
Gilles Peskineb39e3ec2019-01-29 08:50:20 +0100402 """Run the specified job (a Job instance)."""
403 subprocess.check_call([options.make_command, 'clean'])
Gilles Peskine0fa7cbe2019-01-29 18:48:48 +0100404 job.announce(colors, None)
Gilles Peskine54aa5c62019-01-29 18:46:34 +0100405 job.configure(options)
Gilles Peskineb39e3ec2019-01-29 08:50:20 +0100406 success = job.test(options)
Gilles Peskine0fa7cbe2019-01-29 18:48:48 +0100407 job.announce(colors, success)
Gilles Peskineb39e3ec2019-01-29 08:50:20 +0100408 return success
409
Andrzej Kurek3322c222022-10-04 15:02:41 -0400410def run_tests(options, domain_data):
Gilles Peskineb39e3ec2019-01-29 08:50:20 +0100411 """Run the desired jobs.
412domain_data should be a DomainData instance that describes the available
413domains and jobs.
414Run the jobs listed in options.domains."""
415 if not hasattr(options, 'config_backup'):
416 options.config_backup = options.config + '.bak'
Gilles Peskine0fa7cbe2019-01-29 18:48:48 +0100417 colors = Colors(options)
Gilles Peskineb39e3ec2019-01-29 08:50:20 +0100418 jobs = []
419 failures = []
420 successes = []
421 for name in options.domains:
422 jobs += domain_data.get_jobs(name)
423 backup_config(options)
424 try:
425 for job in jobs:
Gilles Peskine0fa7cbe2019-01-29 18:48:48 +0100426 success = run(options, job, colors=colors)
Gilles Peskineb39e3ec2019-01-29 08:50:20 +0100427 if not success:
428 if options.keep_going:
429 failures.append(job.name)
430 else:
431 return False
432 else:
433 successes.append(job.name)
Gilles Peskinebf7537d2019-01-29 18:52:16 +0100434 restore_config(options)
435 except:
436 # Restore the configuration, except in stop-on-error mode if there
437 # was an error, where we leave the failing configuration up for
438 # developer convenience.
Gilles Peskineb39e3ec2019-01-29 08:50:20 +0100439 if options.keep_going:
Gilles Peskinebf7537d2019-01-29 18:52:16 +0100440 restore_config(options)
441 raise
Gilles Peskinee85163b2019-01-29 18:50:03 +0100442 if successes:
443 log_line('{} passed'.format(' '.join(successes)), color=colors.bold_green)
Gilles Peskineb39e3ec2019-01-29 08:50:20 +0100444 if failures:
Gilles Peskinee85163b2019-01-29 18:50:03 +0100445 log_line('{} FAILED'.format(' '.join(failures)), color=colors.bold_red)
Gilles Peskineb39e3ec2019-01-29 08:50:20 +0100446 return False
447 else:
Gilles Peskineb39e3ec2019-01-29 08:50:20 +0100448 return True
449
Andrzej Kurek3322c222022-10-04 15:02:41 -0400450def main():
Gilles Peskineb39e3ec2019-01-29 08:50:20 +0100451 try:
452 parser = argparse.ArgumentParser(description=__doc__)
Gilles Peskine0fa7cbe2019-01-29 18:48:48 +0100453 parser.add_argument('--color', metavar='WHEN',
454 help='Colorize the output (always/auto/never)',
455 choices=['always', 'auto', 'never'], default='auto')
Gilles Peskineb39e3ec2019-01-29 08:50:20 +0100456 parser.add_argument('-c', '--config', metavar='FILE',
457 help='Configuration file to modify',
Andrzej Kureke05b17f2022-09-28 03:17:56 -0400458 default='include/mbedtls/mbedtls_config.h')
Gilles Peskineb39e3ec2019-01-29 08:50:20 +0100459 parser.add_argument('-C', '--directory', metavar='DIR',
460 help='Change to this directory before anything else',
461 default='.')
462 parser.add_argument('-k', '--keep-going',
463 help='Try all configurations even if some fail (default)',
464 action='store_true', dest='keep_going', default=True)
465 parser.add_argument('-e', '--no-keep-going',
466 help='Stop as soon as a configuration fails',
467 action='store_false', dest='keep_going')
468 parser.add_argument('--list-jobs',
469 help='List supported jobs and exit',
470 action='append_const', dest='list', const='jobs')
471 parser.add_argument('--list-domains',
472 help='List supported domains and exit',
473 action='append_const', dest='list', const='domains')
474 parser.add_argument('--make-command', metavar='CMD',
475 help='Command to run instead of make (e.g. gmake)',
476 action='store', default='make')
477 parser.add_argument('domains', metavar='DOMAIN', nargs='*',
Andrzej Kurek3322c222022-10-04 15:02:41 -0400478 help='The domain(s) to test (default: all). This can \
479 be also a list of jobs to run.',
Gilles Peskineb39e3ec2019-01-29 08:50:20 +0100480 default=True)
481 options = parser.parse_args()
482 os.chdir(options.directory)
483 domain_data = DomainData(options)
Andrzej Kurek3322c222022-10-04 15:02:41 -0400484 if options.domains is True:
Gilles Peskineb39e3ec2019-01-29 08:50:20 +0100485 options.domains = sorted(domain_data.domains.keys())
486 if options.list:
Andrzej Kurek3322c222022-10-04 15:02:41 -0400487 for arg in options.list:
488 for domain_name in sorted(getattr(domain_data, arg).keys()):
489 print(domain_name)
490 sys.exit(0)
Gilles Peskineb39e3ec2019-01-29 08:50:20 +0100491 else:
Andrzej Kurek3322c222022-10-04 15:02:41 -0400492 sys.exit(0 if run_tests(options, domain_data) else 1)
493 except Exception: # pylint: disable=broad-except
Gilles Peskineb39e3ec2019-01-29 08:50:20 +0100494 traceback.print_exc()
Andrzej Kurek3322c222022-10-04 15:02:41 -0400495 sys.exit(3)
496
497if __name__ == '__main__':
498 main()