Merge pull request #6493 from AndrzejKurek/pymod

Use `config.py` as a module in `depends.py`
This commit is contained in:
Gilles Peskine 2023-03-02 15:38:47 +01:00 committed by GitHub
commit 57897b8d6a
No known key found for this signature in database
GPG Key ID: 4AEE18F83AFDEB23

View File

@ -23,7 +23,7 @@ Test Mbed TLS with a subset of algorithms.
This script can be divided into several steps: This script can be divided into several steps:
First, include/mbedtls/mbedtls_config.h or a different config file passed First, include/mbedtls/mbedtls_config.h or a different config file passed
in the arguments is parsed to extract any configuration options (collect_config_symbols). in the arguments is parsed to extract any configuration options (using config.py).
Then, test domains (groups of jobs, tests) are built based on predefined data Then, test domains (groups of jobs, tests) are built based on predefined data
collected in the DomainData class. Here, each domain has five major traits: collected in the DomainData class. Here, each domain has five major traits:
@ -65,6 +65,11 @@ import shutil
import subprocess import subprocess
import sys import sys
import traceback import traceback
from typing import Union
# Add the Mbed TLS Python library directory to the module search path
import scripts_path # pylint: disable=unused-import
import config
class Colors: # pylint: disable=too-few-public-methods class Colors: # pylint: disable=too-few-public-methods
"""Minimalistic support for colored output. """Minimalistic support for colored output.
@ -74,6 +79,7 @@ that outputting start switches the text color to the desired color and
stop switches the text color back to the default.""" stop switches the text color back to the default."""
red = None red = None
green = None green = None
cyan = None
bold_red = None bold_red = None
bold_green = None bold_green = None
def __init__(self, options=None): def __init__(self, options=None):
@ -89,6 +95,7 @@ stop switches the text color back to the default."""
normal = '\033[0m' normal = '\033[0m'
self.red = ('\033[31m', normal) self.red = ('\033[31m', normal)
self.green = ('\033[32m', normal) self.green = ('\033[32m', normal)
self.cyan = ('\033[36m', normal)
self.bold_red = ('\033[1;31m', normal) self.bold_red = ('\033[1;31m', normal)
self.bold_green = ('\033[1;32m', normal) self.bold_green = ('\033[1;32m', normal)
NO_COLORS = Colors(None) NO_COLORS = Colors(None)
@ -124,34 +131,38 @@ Remove the backup file if it was saved earlier."""
else: else:
shutil.copy(options.config_backup, options.config) shutil.copy(options.config_backup, options.config)
def run_config_py(options, args): def option_exists(conf, option):
"""Run scripts/config.py with the specified arguments.""" return option in conf.settings
cmd = ['scripts/config.py']
if options.config != 'include/mbedtls/mbedtls_config.h':
cmd += ['--file', options.config]
cmd += args
log_command(cmd)
subprocess.check_call(cmd)
def set_reference_config(options): def set_config_option_value(conf, option, colors, value: Union[bool, str]):
"""Set/unset a configuration option, optionally specifying a value.
value can be either True/False (set/unset config option), or a string,
which will make a symbol defined with a certain value."""
if not option_exists(conf, option):
log_line('Symbol {} was not found in {}'.format(option, conf.filename), color=colors.red)
return False
if value is False:
log_command(['config.py', 'unset', option])
conf.unset(option)
elif value is True:
log_command(['config.py', 'set', option])
conf.set(option)
else:
log_command(['config.py', 'set', option, value])
conf.set(option, value)
return True
def set_reference_config(conf, options, colors):
"""Change the library configuration file (mbedtls_config.h) to the reference state. """Change the library configuration file (mbedtls_config.h) to the reference state.
The reference state is the one from which the tested configurations are The reference state is the one from which the tested configurations are
derived.""" derived."""
# Turn off options that are not relevant to the tests and slow them down. # Turn off options that are not relevant to the tests and slow them down.
run_config_py(options, ['full']) log_command(['config.py', 'full'])
run_config_py(options, ['unset', 'MBEDTLS_TEST_HOOKS']) conf.adapt(config.full_adapter)
set_config_option_value(conf, 'MBEDTLS_TEST_HOOKS', colors, False)
if options.unset_use_psa: if options.unset_use_psa:
run_config_py(options, ['unset', 'MBEDTLS_USE_PSA_CRYPTO']) set_config_option_value(conf, 'MBEDTLS_USE_PSA_CRYPTO', colors, False)
def collect_config_symbols(options):
"""Read the list of settings from mbedtls_config.h.
Return them in a generator."""
with open(options.config, encoding="utf-8") as config_file:
rx = re.compile(r'\s*(?://\s*)?#define\s+(\w+)\s*(?:$|/[/*])')
for line in config_file:
m = re.match(rx, line)
if m:
yield m.group(1)
class Job: class Job:
"""A job builds the library in a specific configuration and runs some tests.""" """A job builds the library in a specific configuration and runs some tests."""
@ -179,19 +190,16 @@ If what is False, announce that the job has failed.'''
elif what is False: elif what is False:
log_line(self.name + ' FAILED', color=colors.red) log_line(self.name + ' FAILED', color=colors.red)
else: else:
log_line('starting ' + self.name) log_line('starting ' + self.name, color=colors.cyan)
def configure(self, options): def configure(self, conf, options, colors):
'''Set library configuration options as required for the job.''' '''Set library configuration options as required for the job.'''
set_reference_config(options) set_reference_config(conf, options, colors)
for key, value in sorted(self.config_settings.items()): for key, value in sorted(self.config_settings.items()):
if value is True: ret = set_config_option_value(conf, key, colors, value)
args = ['set', key] if ret is False:
elif value is False: return False
args = ['unset', key] return True
else:
args = ['set', key, value]
run_config_py(options, args)
def test(self, options): def test(self, options):
'''Run the job's build and test commands. '''Run the job's build and test commands.
@ -382,11 +390,11 @@ class DomainData:
return [symbol for symbol in self.all_config_symbols return [symbol for symbol in self.all_config_symbols
if re.match(regexp, symbol)] if re.match(regexp, symbol)]
def __init__(self, options): def __init__(self, options, conf):
"""Gather data about the library and establish a list of domains to test.""" """Gather data about the library and establish a list of domains to test."""
build_command = [options.make_command, 'CFLAGS=-Werror'] build_command = [options.make_command, 'CFLAGS=-Werror']
build_and_test = [build_command, [options.make_command, 'test']] build_and_test = [build_command, [options.make_command, 'test']]
self.all_config_symbols = set(collect_config_symbols(options)) self.all_config_symbols = set(conf.settings.keys())
# Find hash modules by name. # Find hash modules by name.
hash_symbols = self.config_symbols_matching(r'MBEDTLS_(MD|RIPEMD|SHA)[0-9]+_C\Z') hash_symbols = self.config_symbols_matching(r'MBEDTLS_(MD|RIPEMD|SHA)[0-9]+_C\Z')
# Find elliptic curve enabling macros by name. # Find elliptic curve enabling macros by name.
@ -442,16 +450,19 @@ A name can either be the name of a domain or the name of one specific job."""
else: else:
return [self.jobs[name]] return [self.jobs[name]]
def run(options, job, colors=NO_COLORS): def run(options, job, conf, colors=NO_COLORS):
"""Run the specified job (a Job instance).""" """Run the specified job (a Job instance)."""
subprocess.check_call([options.make_command, 'clean']) subprocess.check_call([options.make_command, 'clean'])
job.announce(colors, None) job.announce(colors, None)
job.configure(options) if not job.configure(conf, options, colors):
job.announce(colors, False)
return False
conf.write()
success = job.test(options) success = job.test(options)
job.announce(colors, success) job.announce(colors, success)
return success return success
def run_tests(options, domain_data): def run_tests(options, domain_data, conf):
"""Run the desired jobs. """Run the desired jobs.
domain_data should be a DomainData instance that describes the available domain_data should be a DomainData instance that describes the available
domains and jobs. domains and jobs.
@ -467,7 +478,7 @@ Run the jobs listed in options.tasks."""
backup_config(options) backup_config(options)
try: try:
for job in jobs: for job in jobs:
success = run(options, job, colors=colors) success = run(options, job, conf, colors=colors)
if not success: if not success:
if options.keep_going: if options.keep_going:
failures.append(job.name) failures.append(job.name)
@ -533,7 +544,9 @@ def main():
default=True) default=True)
options = parser.parse_args() options = parser.parse_args()
os.chdir(options.directory) os.chdir(options.directory)
domain_data = DomainData(options) conf = config.ConfigFile(options.config)
domain_data = DomainData(options, conf)
if options.tasks is True: if options.tasks is True:
options.tasks = sorted(domain_data.domains.keys()) options.tasks = sorted(domain_data.domains.keys())
if options.list: if options.list:
@ -542,7 +555,7 @@ def main():
print(domain_name) print(domain_name)
sys.exit(0) sys.exit(0)
else: else:
sys.exit(0 if run_tests(options, domain_data) else 1) sys.exit(0 if run_tests(options, domain_data, conf) else 1)
except Exception: # pylint: disable=broad-except except Exception: # pylint: disable=broad-except
traceback.print_exc() traceback.print_exc()
sys.exit(3) sys.exit(3)