blob: 470f692de73f7e83e9e61a3f8a1dd6b475da4409 [file] [log] [blame]
Minos Galanakisf4ca6ac2017-12-11 02:39:21 +01001#!/usr/bin/env python3
2
3""" tfm_build_manager.py:
4
5 Controlling class managing multiple build configruations for tfm """
6
7from __future__ import print_function
Xinyu Zhang433771e2022-04-01 16:49:17 +08008from json import tool
Minos Galanakisf4ca6ac2017-12-11 02:39:21 +01009
10__copyright__ = """
11/*
Gergely Korcsákabef9192024-06-03 13:17:12 +020012 * Copyright (c) 2018-2024, Arm Limited. All rights reserved.
Minos Galanakisf4ca6ac2017-12-11 02:39:21 +010013 *
14 * SPDX-License-Identifier: BSD-3-Clause
15 *
16 */
17 """
Karl Zhang08681e62020-10-30 13:56:03 +080018
19__author__ = "tf-m@lists.trustedfirmware.org"
Minos Galanakisf4ca6ac2017-12-11 02:39:21 +010020__project__ = "Trusted Firmware-M Open CI"
Xinyu Zhang06286a92021-07-22 14:00:51 +080021__version__ = "1.4.0"
Minos Galanakisf4ca6ac2017-12-11 02:39:21 +010022
23import os
24import sys
Karl Zhangaff558a2020-05-15 14:28:23 +010025from .utils import *
Minos Galanakisea421232019-06-20 17:11:28 +010026from time import time
Minos Galanakisf4ca6ac2017-12-11 02:39:21 +010027from copy import deepcopy
Minos Galanakisf4ca6ac2017-12-11 02:39:21 +010028from .structured_task import structuredTask
29from .tfm_builder import TFM_Builder
Xinyu Zhang1fa7f982022-04-20 17:46:17 +080030from build_helper.build_helper_config_maps import *
Xinyu Zhangfd2e1152021-12-17 18:09:01 +080031
Minos Galanakisf4ca6ac2017-12-11 02:39:21 +010032class TFM_Build_Manager(structuredTask):
33 """ Class that will load a configuration out of a json file, schedule
34 the builds, and produce a report """
35
36 def __init__(self,
37 tfm_dir, # TFM root directory
38 work_dir, # Current working directory(ie logs)
39 cfg_dict, # Input config dictionary of the following form
40 # input_dict = {"PROJ_CONFIG": "ConfigRegression",
41 # "TARGET_PLATFORM": "MUSCA_A",
42 # "COMPILER": "ARMCLANG",
43 # "CMAKE_BUILD_TYPE": "Debug"}
44 report=None, # File to produce report
45 parallel_builds=3, # Number of builds to run in parallel
Minos Galanakisea421232019-06-20 17:11:28 +010046 build_threads=3, # Number of threads used per build
47 install=False, # Install libraries after build
48 img_sizes=False, # Use arm-none-eabi-size for size info
49 relative_paths=False): # Store relative paths in report
Minos Galanakisf4ca6ac2017-12-11 02:39:21 +010050 self._tbm_build_threads = build_threads
51 self._tbm_conc_builds = parallel_builds
52 self._tbm_install = install
Minos Galanakisea421232019-06-20 17:11:28 +010053 self._tbm_img_sizes = img_sizes
54 self._tbm_relative_paths = relative_paths
Minos Galanakisf4ca6ac2017-12-11 02:39:21 +010055
56 # Required by other methods, always set working directory first
57 self._tbm_work_dir = os.path.abspath(os.path.expanduser(work_dir))
58
59 self._tbm_tfm_dir = os.path.abspath(os.path.expanduser(tfm_dir))
60
Karl Zhangaff558a2020-05-15 14:28:23 +010061 print("bm param tfm_dir %s" % tfm_dir)
62 print("bm %s %s %s" % (work_dir, cfg_dict, self._tbm_work_dir))
Minos Galanakisea421232019-06-20 17:11:28 +010063 # Internal flag to tag simple (non combination formatted configs)
64 self.simple_config = False
Minos Galanakisf4ca6ac2017-12-11 02:39:21 +010065 self._tbm_report = report
66
Minos Galanakisf4ca6ac2017-12-11 02:39:21 +010067 self._tbm_cfg = self.load_config(cfg_dict, self._tbm_work_dir)
Minos Galanakisea421232019-06-20 17:11:28 +010068 self._tbm_build_cfg, \
69 self.tbm_common_cfg = self.parse_config(self._tbm_cfg)
Karl Zhangaff558a2020-05-15 14:28:23 +010070 self._tfb_code_base_updated = False
71 self._tfb_log_f = "CodeBasePrepare.log"
Minos Galanakisf4ca6ac2017-12-11 02:39:21 +010072
73 super(TFM_Build_Manager, self).__init__(name="TFM_Build_Manager")
74
Xinyu Zhang85588522023-10-31 13:58:04 +080075 def choose_toolchain(self, compiler, s_build):
Xinyu Zhang433771e2022-04-01 16:49:17 +080076 toolchain = ""
Xinyu Zhang85588522023-10-31 13:58:04 +080077 if s_build:
78 if "GCC"in compiler:
79 toolchain = "toolchain_GNUARM.cmake"
80 elif "ARMCLANG" in compiler:
81 toolchain = "toolchain_ARMCLANG.cmake"
82 else:
83 if "GCC"in compiler:
84 toolchain = "toolchain_ns_GNUARM.cmake"
85 elif "ARMCLANG" in compiler:
86 toolchain = "toolchain_ns_ARMCLANG.cmake"
Xinyu Zhangff5d7712022-01-14 13:48:59 +080087
Xinyu Zhang433771e2022-04-01 16:49:17 +080088 return toolchain
89
90 def get_compiler_name(self, compiler):
91 compiler_name = ""
92 if "GCC"in compiler:
93 compiler_name = "arm-none-eabi-gcc"
94 elif "ARMCLANG" in compiler:
95 compiler_name = "armclang"
96
97 return compiler_name
Xinyu Zhangff5d7712022-01-14 13:48:59 +080098
Xinyu Zhangb18ae742023-04-25 14:33:27 +080099 def map_params(self, params, maps):
100 build_configs = ""
Xinyu Zhangfc061dd2022-07-26 14:52:56 +0800101 param_list = params.split(", ")
102 for param in param_list:
Xinyu Zhangb18ae742023-04-25 14:33:27 +0800103 build_configs += maps[param]
104 return build_configs
Xinyu Zhangfc061dd2022-07-26 14:52:56 +0800105
Dean Bircha6ede7e2020-03-13 14:00:33 +0000106 def get_config(self):
107 return list(self._tbm_build_cfg.keys())
Dean Birch5cb5a882020-01-24 11:37:13 +0000108
Xinyu Zhang46b37182023-06-30 15:36:44 +0800109 def get_build_configs(self, config, silence_stderr=False):
Dean Birch5cb5a882020-01-24 11:37:13 +0000110 """
Xinyu Zhang46b37182023-06-30 15:36:44 +0800111 Return build config variables needed by the input config.
Dean Birch5cb5a882020-01-24 11:37:13 +0000112 """
113 if config not in self._tbm_build_cfg:
Dean Bircha6ede7e2020-03-13 14:00:33 +0000114 if not silence_stderr:
115 print("Error: no such config {}".format(config), file=sys.stderr)
Dean Birch5cb5a882020-01-24 11:37:13 +0000116 sys.exit(1)
117 config_details = self._tbm_build_cfg[config]
Xinyu Zhang46b37182023-06-30 15:36:44 +0800118 config_params = {
119 "CONFIG_NAME": config,
120 "TFM_PLATFORM": config_details.tfm_platform,
121 "COMPILER": config_details.compiler,
122 "ISOLATION_LEVEL": config_details.isolation_level,
123 "TEST_REGRESSION": config_details.test_regression,
124 "TEST_PSA_API": config_details.test_psa_api,
125 "CMAKE_BUILD_TYPE": config_details.cmake_build_type,
126 "BL2": config_details.with_bl2,
127 "PROFILE": "N.A" if not config_details.profile else config_details.profile,
128 "EXTRA_PARAMS": "N.A" if not config_details.extra_params else config_details.extra_params,
129 }
130 return config_params
Dean Birch5cb5a882020-01-24 11:37:13 +0000131
Xinyu Zhang46b37182023-06-30 15:36:44 +0800132 def get_build_commands(self, config, silence_stderr=False, jobs=None):
133 """
134 Return selected type of commands to be run to build the input config.
135 """
Dean Birchd0f9f8c2020-03-26 11:10:33 +0000136 config_details = self._tbm_build_cfg[config]
137 codebase_dir = os.path.join(os.getcwd(),"trusted-firmware-m")
Xinyu Zhang433771e2022-04-01 16:49:17 +0800138 build_config = self.get_build_config(config_details, config, \
139 silence=silence_stderr, \
Paul Sokolovskycba7ee42023-04-19 13:21:33 +0300140 codebase_dir=codebase_dir, \
141 jobs=jobs)
Xinyu Zhang46b37182023-06-30 15:36:44 +0800142 build_commands = {
Xinyu Zhanga88a2eb2023-08-15 17:43:51 +0800143 'set_compiler': build_config['set_compiler_path'],
144 'spe_cmake_config': build_config['spe_config_template'],
145 'nspe_cmake_config': build_config['nspe_config_template'],
146 'spe_cmake_build': build_config['spe_cmake_build'],
147 'nspe_cmake_build': build_config['nspe_cmake_build'],
148 'post_build': build_config['post_build']
Xinyu Zhang46b37182023-06-30 15:36:44 +0800149 }
150 return build_commands
Dean Birchd0f9f8c2020-03-26 11:10:33 +0000151
Minos Galanakisf4ca6ac2017-12-11 02:39:21 +0100152 def pre_eval(self):
153 """ Tests that need to be run in set-up state """
154 return True
155
156 def pre_exec(self, eval_ret):
157 """ """
158
Minos Galanakisea421232019-06-20 17:11:28 +0100159 def override_tbm_cfg_params(self, config, override_keys, **params):
160 """ Using a dictionay as input, for each key defined in
161 override_keys it will replace the config[key] entries with
162 the key=value parameters provided """
163
164 for key in override_keys:
165 if isinstance(config[key], list):
166 config[key] = [n % params for n in config[key]]
167 elif isinstance(config[key], str):
168 config[key] = config[key] % params
169 else:
170 raise Exception("Config does not contain key %s "
171 "of type %s" % (key, config[key]))
172 return config
173
Karl Zhangaff558a2020-05-15 14:28:23 +0100174 def pre_build(self, build_cfg):
175 print("pre_build start %s \r\nself._tfb_cfg %s\r\n" %
176 (self, build_cfg))
177
178 try:
179 if self._tfb_code_base_updated:
180 print("Code base has been updated")
181 return True
182
183 self._tfb_code_base_updated = True
184
185 if "build_psa_api" in build_cfg:
186 # FF IPC build needs repo manifest update for TFM and PSA arch test
187 if "build_ff_ipc" in build_cfg:
188 print("Checkout to FF IPC code base")
189 os.chdir(build_cfg["codebase_root_dir"] + "/../psa-arch-tests/api-tests")
190 _api_test_manifest = "git checkout . ; python3 tools/scripts/manifest_update.py"
191 if subprocess_log(_api_test_manifest,
192 self._tfb_log_f,
193 append=True,
194 prefix=_api_test_manifest):
195
196 raise Exception("Python Failed please check log: %s" %
197 self._tfb_log_f)
198
199 _api_test_manifest_tfm = "python3 tools/tfm_parse_manifest_list.py -m tools/tfm_psa_ff_test_manifest_list.yaml append"
200 os.chdir(build_cfg["codebase_root_dir"])
201 if subprocess_log(_api_test_manifest_tfm,
202 self._tfb_log_f,
203 append=True,
204 prefix=_api_test_manifest_tfm):
205
206 raise Exception("Python TFM Failed please check log: %s" %
207 self._tfb_log_f)
208 return True
209
210 print("Checkout to default code base")
211 os.chdir(build_cfg["codebase_root_dir"] + "/../psa-arch-tests/api-tests")
212 _api_test_manifest = "git checkout ."
213 if subprocess_log(_api_test_manifest,
214 self._tfb_log_f,
215 append=True,
216 prefix=_api_test_manifest):
217
218 raise Exception("Python Failed please check log: %s" %
219 self._tfb_log_f)
220
221 _api_test_manifest_tfm = "python3 tools/tfm_parse_manifest_list.py"
222 os.chdir(build_cfg["codebase_root_dir"])
223 if subprocess_log(_api_test_manifest_tfm,
224 self._tfb_log_f,
225 append=True,
226 prefix=_api_test_manifest_tfm):
227
228 raise Exception("Python TFM Failed please check log: %s" %
229 self._tfb_log_f)
230 finally:
231 print("python pass after builder prepare")
232 os.chdir(build_cfg["codebase_root_dir"] + "/../")
233
Minos Galanakisf4ca6ac2017-12-11 02:39:21 +0100234 def task_exec(self):
235 """ Create a build pool and execute them in parallel """
236
237 build_pool = []
Minos Galanakisf4ca6ac2017-12-11 02:39:21 +0100238
Minos Galanakisea421232019-06-20 17:11:28 +0100239 # When a config is flagged as a single build config.
240 # Name is evaluated by config type
241 if self.simple_config:
242
243 build_cfg = deepcopy(self.tbm_common_cfg)
244
245 # Extract the common for all elements of config
Xinyu Zhang46b37182023-06-30 15:36:44 +0800246 try:
247 build_cfg["required_artefacts"] = build_cfg["required_artefacts"]["all"]
248 except KeyError:
249 build_cfg["required_artefacts"] = []
Minos Galanakisea421232019-06-20 17:11:28 +0100250 name = build_cfg["config_type"]
251
252 # Override _tbm_xxx paths in commands
253 # plafrom in not guaranteed without seeds so _tbm_target_platform
254 # is ignored
255 over_dict = {"_tbm_build_dir_": os.path.join(self._tbm_work_dir,
256 name),
257 "_tbm_code_dir_": build_cfg["codebase_root_dir"]}
258
259 build_cfg = self.override_tbm_cfg_params(build_cfg,
Xinyu Zhang46b37182023-06-30 15:36:44 +0800260 ["post_build",
Minos Galanakisea421232019-06-20 17:11:28 +0100261 "artifact_capture_rex"],
262 **over_dict)
263
264 # Overrides path in expected artefacts
Minos Galanakisf4ca6ac2017-12-11 02:39:21 +0100265 print("Loading config %s" % name)
Minos Galanakisea421232019-06-20 17:11:28 +0100266
267 build_pool.append(TFM_Builder(
268 name=name,
269 work_dir=self._tbm_work_dir,
270 cfg_dict=build_cfg,
271 build_threads=self._tbm_build_threads,
272 img_sizes=self._tbm_img_sizes,
273 relative_paths=self._tbm_relative_paths))
274 # When a seed pool is provided iterate through the entries
275 # and update platform spefific parameters
276 elif len(self._tbm_build_cfg):
Karl Zhangaff558a2020-05-15 14:28:23 +0100277 print("\r\n_tbm_build_cfg %s\r\n tbm_common_cfg %s\r\n" \
278 % (self._tbm_build_cfg, self.tbm_common_cfg))
Minos Galanakisea421232019-06-20 17:11:28 +0100279 for name, i in self._tbm_build_cfg.items():
280 # Do not modify the original config
Dean Birchd0f9f8c2020-03-26 11:10:33 +0000281 build_cfg = self.get_build_config(i, name)
Karl Zhangaff558a2020-05-15 14:28:23 +0100282 self.pre_build(build_cfg)
Minos Galanakisea421232019-06-20 17:11:28 +0100283 # Overrides path in expected artefacts
284 print("Loading config %s" % name)
285
286 build_pool.append(TFM_Builder(
287 name=name,
288 work_dir=self._tbm_work_dir,
289 cfg_dict=build_cfg,
290 build_threads=self._tbm_build_threads,
291 img_sizes=self._tbm_img_sizes,
292 relative_paths=self._tbm_relative_paths))
293 else:
294 print("Could not find any configuration. Check the rejection list")
Minos Galanakisf4ca6ac2017-12-11 02:39:21 +0100295
296 status_rep = {}
Minos Galanakisea421232019-06-20 17:11:28 +0100297 build_rep = {}
298 completed_build_count = 0
Minos Galanakisf4ca6ac2017-12-11 02:39:21 +0100299 print("Build: Running %d parallel build jobs" % self._tbm_conc_builds)
300 for build_pool_slice in list_chunks(build_pool, self._tbm_conc_builds):
301
302 # Start the builds
303 for build in build_pool_slice:
304 # Only produce output for the first build
305 if build_pool_slice.index(build) != 0:
306 build.mute()
307 print("Build: Starting %s" % build.get_name())
308 build.start()
309
310 # Wait for the builds to complete
311 for build in build_pool_slice:
312 # Wait for build to finish
313 build.join()
314 # Similarly print the logs of the other builds as they complete
315 if build_pool_slice.index(build) != 0:
316 build.log()
Minos Galanakisea421232019-06-20 17:11:28 +0100317 completed_build_count += 1
Minos Galanakisf4ca6ac2017-12-11 02:39:21 +0100318 print("Build: Finished %s" % build.get_name())
Minos Galanakisea421232019-06-20 17:11:28 +0100319 print("Build Progress:")
320 show_progress(completed_build_count, len(build_pool))
Minos Galanakisf4ca6ac2017-12-11 02:39:21 +0100321
322 # Store status in report
323 status_rep[build.get_name()] = build.get_status()
Minos Galanakisea421232019-06-20 17:11:28 +0100324 build_rep[build.get_name()] = build.report()
325
326 # Include the original input configuration in the report
327
328 metadata = {"input_build_cfg": self._tbm_cfg,
329 "build_dir": self._tbm_work_dir
330 if not self._tbm_relative_paths
331 else resolve_rel_path(self._tbm_work_dir),
332 "time": time()}
333
334 full_rep = {"report": build_rep,
335 "_metadata_": metadata}
336
Minos Galanakisf4ca6ac2017-12-11 02:39:21 +0100337 # Store the report
338 self.stash("Build Status", status_rep)
339 self.stash("Build Report", full_rep)
340
341 if self._tbm_report:
342 print("Exported build report to file:", self._tbm_report)
343 save_json(self._tbm_report, full_rep)
344
Xinyu Zhanga88a2eb2023-08-15 17:43:51 +0800345 def get_build_config(self, i, name, silence=False, codebase_dir=None, jobs=None):
Dean Birchd0f9f8c2020-03-26 11:10:33 +0000346 build_cfg = deepcopy(self.tbm_common_cfg)
347 if not codebase_dir:
348 codebase_dir = build_cfg["codebase_root_dir"]
349 else:
350 # Would prefer to do all with the new variable
351 # However, many things use this from build_cfg elsewhere
352 build_cfg["codebase_root_dir"] = codebase_dir
353 # Extract the common for all elements of config
Xinyu Zhang46b37182023-06-30 15:36:44 +0800354 try:
355 build_cfg["required_artefacts"] = deepcopy(self.tbm_common_cfg["required_artefacts"]["all"])
356 except KeyError as E:
357 build_cfg["required_artefacts"] = []
358 build_cfg["post_build"] = ""
Dean Birchd0f9f8c2020-03-26 11:10:33 +0000359 # Extract the platform specific elements of config
Xinyu Zhang46b37182023-06-30 15:36:44 +0800360 for key in ["post_build", "required_artefacts"]:
Dean Birchd0f9f8c2020-03-26 11:10:33 +0000361 try:
Xinyu Zhangfb80b5d2022-07-26 15:42:26 +0800362 if i.tfm_platform in self.tbm_common_cfg[key].keys():
Dean Birchd0f9f8c2020-03-26 11:10:33 +0000363 build_cfg[key] += deepcopy(self.tbm_common_cfg[key]
Xinyu Zhangb708f572020-09-15 11:43:46 +0800364 [i.tfm_platform])
Dean Birchd0f9f8c2020-03-26 11:10:33 +0000365 except Exception as E:
366 pass
Karl Zhang1eed6322020-07-01 15:38:10 +0800367
Paul Sokolovskycba7ee42023-04-19 13:21:33 +0300368 if jobs is None:
369 if os.cpu_count() >= 8:
370 #run in a serviver with scripts, parallel build will use CPU numbers
371 jobs = 2
372 else:
373 #run in a docker, usually docker with CPUs less than 8
374 jobs = os.cpu_count()
375
376 thread_no = " -j {} ".format(jobs)
Xinyu Zhanga88a2eb2023-08-15 17:43:51 +0800377 build_cfg["spe_cmake_build"] += thread_no
378 build_cfg["nspe_cmake_build"] += thread_no
Xinyu Zhang433771e2022-04-01 16:49:17 +0800379
380 # Overwrite command lines to set compiler
381 build_cfg["set_compiler_path"] %= {"compiler": i.compiler}
382 build_cfg["set_compiler_path"] += " ;\n{} --version".format(self.get_compiler_name(i.compiler))
383
Xinyu Zhanga88a2eb2023-08-15 17:43:51 +0800384 # Overwrite parameters of build configs
385 overwrite_params = {"codebase_root_dir": build_cfg["codebase_root_dir"],
Jianliang Shen7905e5d2023-11-07 10:40:47 +0800386 "spe_root_dir": build_cfg["codebase_root_dir"] + "/../tf-m-tests/tests_reg/spe",
387 "nspe_root_dir": build_cfg["codebase_root_dir"] + "/../tf-m-tests/tests_reg",
Xinyu Zhanga88a2eb2023-08-15 17:43:51 +0800388 "ci_build_root_dir": build_cfg["codebase_root_dir"] + "/../ci_build",
Xinyu Zhangb708f572020-09-15 11:43:46 +0800389 "tfm_platform": i.tfm_platform,
Xinyu Zhang85588522023-10-31 13:58:04 +0800390 "s_compiler": self.choose_toolchain(i.compiler, s_build = True),
391 "ns_compiler": self.choose_toolchain(i.compiler, s_build = False),
Xinyu Zhangb708f572020-09-15 11:43:46 +0800392 "isolation_level": i.isolation_level,
Xinyu Zhangb18ae742023-04-25 14:33:27 +0800393 "test_regression": self.map_params(i.test_regression, mapRegTest),
Xinyu Zhangb708f572020-09-15 11:43:46 +0800394 "test_psa_api": i.test_psa_api,
395 "cmake_build_type": i.cmake_build_type,
Xinyu Zhangb708f572020-09-15 11:43:46 +0800396 "with_bl2": i.with_bl2,
Bence Balogh79fda442022-10-14 18:01:37 +0200397 "profile": "" if i.profile=="N.A" else i.profile}
398 # The extra params can also contain paths with "codebase_root_dir" and
399 # these also need to be substituted
Xinyu Zhangb18ae742023-04-25 14:33:27 +0800400 overwrite_params["extra_params"] = self.map_params(i.extra_params, mapExtraParams) % overwrite_params
Bence Balogh79fda442022-10-14 18:01:37 +0200401
Paul Sokolovsky63052e52024-04-26 21:09:47 +0700402 # Print more cmake command details to debug any issues
403 overwrite_params["extra_params"] += " -DCMAKE_VERBOSE_MAKEFILE=ON"
Xinyu Zhang7ac31942023-11-16 11:10:49 +0800404
Xinyu Zhanga0086022020-11-10 18:11:12 +0800405 if i.test_psa_api == "IPC":
Xinyu Zhangcd1ed962020-11-11 16:00:52 +0800406 overwrite_params["test_psa_api"] += " -DINCLUDE_PANIC_TESTS=1"
Xinyu Zhang5f9fa962022-04-12 16:54:35 +0800407 if i.test_psa_api == "CRYPTO" and "musca" in i.tfm_platform:
408 overwrite_params["test_psa_api"] += " -DCC312_LEGACY_DRIVER_API_ENABLED=OFF"
Mark Horvathef57baa2022-09-12 13:36:36 +0200409 if i.tfm_platform == "arm/musca_b1":
Xinyu Zhangab9d1ea2022-12-23 17:11:22 +0800410 overwrite_params["test_psa_api"] += " -DOTP_NV_COUNTERS_RAM_EMULATION=ON"
Xinyu Zhanga88a2eb2023-08-15 17:43:51 +0800411
412 # Test root dir
413 if i.test_psa_api != "OFF":
Jianliang Shen7905e5d2023-11-07 10:40:47 +0800414 overwrite_params["spe_root_dir"] = build_cfg["codebase_root_dir"] + "/../tf-m-tests/tests_psa_arch/spe"
415 overwrite_params["nspe_root_dir"] = build_cfg["codebase_root_dir"] + "/../tf-m-tests/tests_psa_arch"
416 elif "PROF" in i.extra_params:
Matthew Dalzellcba0e3e2024-02-23 11:25:23 +0000417 overwrite_params["spe_root_dir"] = build_cfg["codebase_root_dir"] + "/../tf-m-tests/tests_reg/spe"
418 overwrite_params["nspe_root_dir"] = build_cfg["codebase_root_dir"] + "/../tf-m-tests/tests_reg"
Gergely Korcsákabef9192024-06-03 13:17:12 +0200419 elif any("EXTRAS_" in param for param in i.extra_params):
420 path_name = [param for param in extra_params if "EXTRAS_" in param][0]
421 overwrite_params["spe_root_dir"] = build_cfg["codebase_root_dir"]
422 overwrite_params["nspe_root_dir"] = build_cfg["codebase_root_dir"]
423 + "/../tf-m-extras/"
424 + mapTfmExtrasExamplePaths[path_name]
Xinyu Zhanga88a2eb2023-08-15 17:43:51 +0800425
426 # Overwrite commands for building TF-M image
427 build_cfg["spe_config_template"] %= overwrite_params
428 build_cfg["nspe_config_template"] %= overwrite_params
429 build_cfg["spe_cmake_build"] %= overwrite_params
430 build_cfg["nspe_cmake_build"] %= overwrite_params
431 build_cfg["post_build"] %= overwrite_params
Xinyu Zhang433771e2022-04-01 16:49:17 +0800432
Xinyu Zhang8ea4cfc2023-10-30 18:28:43 +0800433 # Disable NSPE CMake commands when NS is OFF
434 if "NSOFF" in i.extra_params:
435 build_cfg["nspe_config_template"] = ""
436 build_cfg["nspe_cmake_build"] = ""
437
Dean Birchd0f9f8c2020-03-26 11:10:33 +0000438 return build_cfg
439
Minos Galanakisf4ca6ac2017-12-11 02:39:21 +0100440 def post_eval(self):
441 """ If a single build failed fail the test """
442 try:
Minos Galanakisea421232019-06-20 17:11:28 +0100443 status_dict = self.unstash("Build Status")
444 if not status_dict:
445 raise Exception()
446 retcode_sum = sum(status_dict.values())
Minos Galanakisf4ca6ac2017-12-11 02:39:21 +0100447 if retcode_sum != 0:
448 raise Exception()
449 return True
450 except Exception as e:
451 return False
452
453 def post_exec(self, eval_ret):
454 """ Generate a report and fail the script if build == unsuccessfull"""
455
456 self.print_summary()
457 if not eval_ret:
458 print("ERROR: ====> Build Failed! %s" % self.get_name())
459 self.set_status(1)
460 else:
461 print("SUCCESS: ====> Build Complete!")
462 self.set_status(0)
463
464 def get_report(self):
465 """ Expose the internal report to a new object for external classes """
466 return deepcopy(self.unstash("Build Report"))
467
Minos Galanakisf4ca6ac2017-12-11 02:39:21 +0100468 def load_config(self, config, work_dir):
469 try:
470 # passing config_name param supersseeds fileparam
471 if isinstance(config, dict):
472 ret_cfg = deepcopy(config)
473 elif isinstance(config, str):
474 # If the string does not descrive a file try to look for it in
475 # work directory
476 if not os.path.isfile(config):
477 # remove path from file
478 config_2 = os.path.split(config)[-1]
479 # look in the current working directory
480 config_2 = os.path.join(work_dir, config_2)
481 if not os.path.isfile(config_2):
482 m = "Could not find cfg in %s or %s " % (config,
483 config_2)
484 raise Exception(m)
485 # If fille exists in working directory
486 else:
487 config = config_2
488 ret_cfg = load_json(config)
489
490 else:
491 raise Exception("Need to provide a valid config name or file."
492 "Please use --config/--config-file parameter.")
493 except Exception as e:
494 print("Error:%s \nCould not load a valid config" % e)
495 sys.exit(1)
496
Minos Galanakisf4ca6ac2017-12-11 02:39:21 +0100497 return ret_cfg
498
499 def parse_config(self, cfg):
500 """ Parse a valid configuration file into a set of build dicts """
501
Minos Galanakisea421232019-06-20 17:11:28 +0100502 ret_cfg = {}
Minos Galanakisf4ca6ac2017-12-11 02:39:21 +0100503
Minos Galanakisea421232019-06-20 17:11:28 +0100504 # Config entries which are not subject to changes during combinations
505 static_cfg = cfg["common_params"]
Minos Galanakisf4ca6ac2017-12-11 02:39:21 +0100506
Minos Galanakisea421232019-06-20 17:11:28 +0100507 # Converth the code path to absolute path
508 abs_code_dir = static_cfg["codebase_root_dir"]
509 abs_code_dir = os.path.abspath(os.path.expanduser(abs_code_dir))
510 static_cfg["codebase_root_dir"] = abs_code_dir
Minos Galanakisf4ca6ac2017-12-11 02:39:21 +0100511
Minos Galanakisea421232019-06-20 17:11:28 +0100512 # seed_params is an optional field. Do not proccess if it is missing
513 if "seed_params" in cfg:
514 comb_cfg = cfg["seed_params"]
515 # Generate a list of all possible confugration combinations
516 ret_cfg = TFM_Build_Manager.generate_config_list(comb_cfg,
517 static_cfg)
Minos Galanakisf4ca6ac2017-12-11 02:39:21 +0100518
Xinyu Zhang2c63ce72021-07-23 14:01:59 +0800519 # valid is an optional field. Do not proccess if it is missing
520 if "valid" in cfg:
521 # Valid configurations(Need to build)
522 valid_cfg = cfg["valid"]
523 # Add valid configs to build list
524 ret_cfg.update(TFM_Build_Manager.generate_optional_list(
525 comb_cfg,
526 static_cfg,
527 valid_cfg))
528
Minos Galanakisea421232019-06-20 17:11:28 +0100529 # invalid is an optional field. Do not proccess if it is missing
530 if "invalid" in cfg:
531 # Invalid configurations(Do not build)
532 invalid_cfg = cfg["invalid"]
533 # Remove the rejected entries from the test list
Xinyu Zhang0581b082021-05-17 10:46:57 +0800534 rejection_cfg = TFM_Build_Manager.generate_optional_list(
Minos Galanakisea421232019-06-20 17:11:28 +0100535 comb_cfg,
536 static_cfg,
537 invalid_cfg)
Minos Galanakisf4ca6ac2017-12-11 02:39:21 +0100538
Minos Galanakisea421232019-06-20 17:11:28 +0100539 # Subtract the two configurations
540 ret_cfg = {k: v for k, v in ret_cfg.items()
541 if k not in rejection_cfg}
542 self.simple_config = False
543 else:
544 self.simple_config = True
545 return ret_cfg, static_cfg
Minos Galanakisf4ca6ac2017-12-11 02:39:21 +0100546
Minos Galanakisea421232019-06-20 17:11:28 +0100547 # ----- Override bellow methods when subclassing for other projects ----- #
Minos Galanakisf4ca6ac2017-12-11 02:39:21 +0100548
Minos Galanakisea421232019-06-20 17:11:28 +0100549 def print_summary(self):
550 """ Print an comprehensive list of the build jobs with their status """
Minos Galanakisf4ca6ac2017-12-11 02:39:21 +0100551
Minos Galanakisea421232019-06-20 17:11:28 +0100552 try:
553 full_rep = self.unstash("Build Report")["report"]
554 fl = ([k for k, v in full_rep.items() if v['status'] == 'Failed'])
555 ps = ([k for k, v in full_rep.items() if v['status'] == 'Success'])
556 except Exception as E:
Karl Zhangaff558a2020-05-15 14:28:23 +0100557 print("No report generated", E)
Minos Galanakisea421232019-06-20 17:11:28 +0100558 return
559 if fl:
560 print_test(t_list=fl, status="failed", tname="Builds")
561 if ps:
562 print_test(t_list=ps, status="passed", tname="Builds")
Minos Galanakisf4ca6ac2017-12-11 02:39:21 +0100563
Minos Galanakisea421232019-06-20 17:11:28 +0100564 @staticmethod
565 def generate_config_list(seed_config, static_config):
566 """ Generate all possible configuration combinations from a group of
567 lists of compiler options"""
568 config_list = []
569
570 if static_config["config_type"] == "tf-m":
571 cfg_name = "TFM_Build_CFG"
572 # Ensure the fieds are sorted in the desired order
573 # seed_config can be a subset of sort order for configurations with
574 # optional parameters.
575 tags = [n for n in static_config["sort_order"]
576 if n in seed_config.keys()]
Karl Zhangaff558a2020-05-15 14:28:23 +0100577 print("!!!!!!!!!!!gen list %s\r\n" % tags)
Minos Galanakisea421232019-06-20 17:11:28 +0100578
579 data = []
580 for key in tags:
581 data.append(seed_config[key])
582 config_list = gen_cfg_combinations(cfg_name,
583 " ".join(tags),
584 *data)
585 else:
586 print("Not information for project type: %s."
587 " Please check config" % static_config["config_type"])
588
589 ret_cfg = {}
590 # Notify the user for the rejected configuations
591 for i in config_list:
Xinyu Zhang1078e812020-10-15 11:52:36 +0800592 # Convert named tuples to string in a brief format
593 config_param = []
594 config_param.append(mapPlatform[list(i)[0]])
Xinyu Zhang433771e2022-04-01 16:49:17 +0800595 config_param.append(list(i)[1].split("_")[0])
Summer Qin379abb62022-10-08 16:41:54 +0800596 config_param.append(list(i)[2]) # ISOLATION_LEVEL
Xinyu Zhangb18ae742023-04-25 14:33:27 +0800597 if list(i)[3] != "OFF": # TEST_REGRESSION
598 config_param.append(list(i)[3].replace(", ", "_"))
Summer Qin379abb62022-10-08 16:41:54 +0800599 if list(i)[4] != "OFF": #TEST_PSA_API
600 config_param.append(mapTestPsaApi[list(i)[4]])
601 config_param.append(list(i)[5]) # BUILD_TYPE
602 if list(i)[6]: # BL2
Xinyu Zhang1078e812020-10-15 11:52:36 +0800603 config_param.append("BL2")
Summer Qin379abb62022-10-08 16:41:54 +0800604 if list(i)[7]: # PROFILE
605 config_param.append(mapProfile[list(i)[7]])
606 if list(i)[8]: # EXTRA_PARAMS
607 config_param.append(list(i)[8].replace(", ", "_"))
Xinyu Zhang1078e812020-10-15 11:52:36 +0800608 i_str = "_".join(config_param)
Karl Zhangaff558a2020-05-15 14:28:23 +0100609 ret_cfg[i_str] = i
Minos Galanakisea421232019-06-20 17:11:28 +0100610 return ret_cfg
611
612 @staticmethod
Xinyu Zhang0581b082021-05-17 10:46:57 +0800613 def generate_optional_list(seed_config,
614 static_config,
615 optional_list):
616 optional_cfg = {}
Minos Galanakisea421232019-06-20 17:11:28 +0100617
618 if static_config["config_type"] == "tf-m":
619
Xinyu Zhang0581b082021-05-17 10:46:57 +0800620 # If optional list is empty do nothing
621 if not optional_list:
622 return optional_cfg
Minos Galanakisea421232019-06-20 17:11:28 +0100623
624 tags = [n for n in static_config["sort_order"]
625 if n in seed_config.keys()]
626 sorted_default_lst = [seed_config[k] for k in tags]
627
Xinyu Zhang0581b082021-05-17 10:46:57 +0800628 # If tags are not alligned with optional list entries quit
629 if len(tags) != len(optional_list[0]):
630 print(len(tags), len(optional_list[0]))
Minos Galanakisea421232019-06-20 17:11:28 +0100631 print("Error, tags should be assigned to each "
Xinyu Zhang0581b082021-05-17 10:46:57 +0800632 "of the optional inputs")
Minos Galanakisea421232019-06-20 17:11:28 +0100633 return []
634
635 # Replace wildcard ( "*") entries with every
636 # inluded in cfg variant
Xinyu Zhang0581b082021-05-17 10:46:57 +0800637 for k in optional_list:
Minos Galanakisea421232019-06-20 17:11:28 +0100638 # Pad the omitted values with wildcard char *
639 res_list = list(k) + ["*"] * (5 - len(k))
Xinyu Zhang0581b082021-05-17 10:46:57 +0800640 print("Working on optional input: %s" % (res_list))
Minos Galanakisea421232019-06-20 17:11:28 +0100641
642 for n in range(len(res_list)):
643
644 res_list[n] = [res_list[n]] if res_list[n] != "*" \
645 else sorted_default_lst[n]
646
647 # Generate a configuration and a name for the completed array
Xinyu Zhang0581b082021-05-17 10:46:57 +0800648 op_cfg = TFM_Build_Manager.generate_config_list(
Minos Galanakisea421232019-06-20 17:11:28 +0100649 dict(zip(tags, res_list)),
650 static_config)
651
652 # Append the configuration to the existing ones
Xinyu Zhang0581b082021-05-17 10:46:57 +0800653 optional_cfg = dict(optional_cfg, **op_cfg)
Minos Galanakisea421232019-06-20 17:11:28 +0100654
Xinyu Zhang0581b082021-05-17 10:46:57 +0800655 # Notify the user for the optional configuations
656 for i in optional_cfg.keys():
657 print("Generating optional config %s" % i)
Minos Galanakisea421232019-06-20 17:11:28 +0100658 else:
659 print("Not information for project type: %s."
660 " Please check config" % static_config["config_type"])
Xinyu Zhang0581b082021-05-17 10:46:57 +0800661 return optional_cfg