blob: d8a58bb7421a2df8fa7c4f86aadefad5ae991c20 [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
8
9__copyright__ = """
10/*
Xinyu Zhang7c038b02021-04-20 10:27:49 +080011 * Copyright (c) 2018-2021, Arm Limited. All rights reserved.
Minos Galanakisf4ca6ac2017-12-11 02:39:21 +010012 *
13 * SPDX-License-Identifier: BSD-3-Clause
14 *
15 */
16 """
Karl Zhang08681e62020-10-30 13:56:03 +080017
18__author__ = "tf-m@lists.trustedfirmware.org"
Minos Galanakisf4ca6ac2017-12-11 02:39:21 +010019__project__ = "Trusted Firmware-M Open CI"
Xinyu Zhang06286a92021-07-22 14:00:51 +080020__version__ = "1.4.0"
Minos Galanakisf4ca6ac2017-12-11 02:39:21 +010021
22import os
23import sys
Karl Zhangaff558a2020-05-15 14:28:23 +010024from .utils import *
Minos Galanakisea421232019-06-20 17:11:28 +010025from time import time
Minos Galanakisf4ca6ac2017-12-11 02:39:21 +010026from copy import deepcopy
27from .utils import gen_cfg_combinations, list_chunks, load_json,\
Minos Galanakisea421232019-06-20 17:11:28 +010028 save_json, print_test, show_progress, \
29 resolve_rel_path
Minos Galanakisf4ca6ac2017-12-11 02:39:21 +010030from .structured_task import structuredTask
31from .tfm_builder import TFM_Builder
32
33
Xinyu Zhang38b76742021-11-11 13:57:56 +080034mapPlatform = {"cypress/psoc64": "psoc64",
35 "arm/mps2/an519": "AN519",
36 "arm/mps2/an521": "AN521",
37 "arm/mps2/an539": "AN539",
38 "arm/mps2/sse-200_aws": "SSE-200_AWS",
39 "arm/mps3/an524": "AN524",
40 "arm/musca_b1/sse_200": "MUSCA_B1",
41 "arm/musca_b1/secure_enclave": "MUSCA_B1_SE",
42 "arm/musca_s1": "MUSCA_S1",
43 "stm/stm32l562e_dk": "stm32l562e_dk",
44 "arm/corstone1000": "corstone1000",
45 "nxp/lpcxpresso55s69": "lpcxpresso55s69",
46 "arm/mps3/an547": "AN547",
47 "arm/mps3/corstone_polaris": "Polaris",
48 "lairdconnectivity/bl5340_dvk_cpuapp": "BL5340",
49 "nordic_nrf/nrf5340dk_nrf5340_cpuapp": "nrf5340dk",
50 "nordic_nrf/nrf9160dk_nrf9160": "nrf9160dk",
51 "nuvoton/m2351": "M2351",
52 "nuvoton/m2354": "M2354",
53 "stm/b_u585i_iot02a": "b_u585i_iot02a",
54 "stm/nucleo_l552ze_q": "nucleo_l552ze_q"}
Xinyu Zhang1078e812020-10-15 11:52:36 +080055
56mapCompiler = {"toolchain_GNUARM.cmake": "GNUARM",
57 "toolchain_ARMCLANG.cmake": "ARMCLANG"}
58
Xinyu Zhangc371af62020-10-21 10:41:57 +080059mapTestPsaApi = {"IPC": "FF",
Xinyu Zhang1078e812020-10-15 11:52:36 +080060 "CRYPTO": "CRYPTO",
Xinyu Zhang1078e812020-10-15 11:52:36 +080061 "INITIAL_ATTESTATION": "ATTEST",
Xinyu Zhang39acb412021-07-09 20:35:19 +080062 "STORAGE": "STORAGE"}
Xinyu Zhang1078e812020-10-15 11:52:36 +080063
Xinyu Zhang9fd74242020-10-22 11:30:50 +080064mapProfile = {"profile_small": "SMALL",
Xinyu Zhang9b1aef92021-03-12 15:36:44 +080065 "profile_medium": "MEDIUM",
66 "profile_large": "LARGE"}
Xinyu Zhang1078e812020-10-15 11:52:36 +080067
Feder Liang567e8c22021-10-26 14:16:21 +080068mapSFPOption = {"0": "SFP0",
69 "1": "SFP1",
70 "2": "SFP2"}
Xinyu Zhang1078e812020-10-15 11:52:36 +080071
Xinyu Zhangfd2e1152021-12-17 18:09:01 +080072mapExtraParams = {"": "",
73 "CRYPTO_OFF": ("-DTEST_S_CRYPTO=OFF "
74 "-DTEST_NS_CRYPTO=OFF "),
Xinyu Zhang7c8d3372021-12-22 11:15:42 +080075 "CRYPTO_ON": ("-DTEST_S_CRYPTO=ON "
76 "-DTEST_NS_CRYPTO=ON "),
Xinyu Zhang3bb01af2021-12-20 14:45:49 +080077 "NSCE": "-DTFM_NS_MANAGE_NSID=ON ",
78 "MMIO": "-DPSA_FRAMEWORK_HAS_MM_IOVEC=ON "}
Xinyu Zhangfd2e1152021-12-17 18:09:01 +080079
Minos Galanakisf4ca6ac2017-12-11 02:39:21 +010080class TFM_Build_Manager(structuredTask):
81 """ Class that will load a configuration out of a json file, schedule
82 the builds, and produce a report """
83
84 def __init__(self,
85 tfm_dir, # TFM root directory
86 work_dir, # Current working directory(ie logs)
87 cfg_dict, # Input config dictionary of the following form
88 # input_dict = {"PROJ_CONFIG": "ConfigRegression",
89 # "TARGET_PLATFORM": "MUSCA_A",
90 # "COMPILER": "ARMCLANG",
91 # "CMAKE_BUILD_TYPE": "Debug"}
92 report=None, # File to produce report
93 parallel_builds=3, # Number of builds to run in parallel
Minos Galanakisea421232019-06-20 17:11:28 +010094 build_threads=3, # Number of threads used per build
95 install=False, # Install libraries after build
96 img_sizes=False, # Use arm-none-eabi-size for size info
97 relative_paths=False): # Store relative paths in report
Minos Galanakisf4ca6ac2017-12-11 02:39:21 +010098 self._tbm_build_threads = build_threads
99 self._tbm_conc_builds = parallel_builds
100 self._tbm_install = install
Minos Galanakisea421232019-06-20 17:11:28 +0100101 self._tbm_img_sizes = img_sizes
102 self._tbm_relative_paths = relative_paths
Minos Galanakisf4ca6ac2017-12-11 02:39:21 +0100103
104 # Required by other methods, always set working directory first
105 self._tbm_work_dir = os.path.abspath(os.path.expanduser(work_dir))
106
107 self._tbm_tfm_dir = os.path.abspath(os.path.expanduser(tfm_dir))
108
Karl Zhangaff558a2020-05-15 14:28:23 +0100109 print("bm param tfm_dir %s" % tfm_dir)
110 print("bm %s %s %s" % (work_dir, cfg_dict, self._tbm_work_dir))
Minos Galanakisea421232019-06-20 17:11:28 +0100111 # Internal flag to tag simple (non combination formatted configs)
112 self.simple_config = False
Minos Galanakisf4ca6ac2017-12-11 02:39:21 +0100113 self._tbm_report = report
114
Minos Galanakisf4ca6ac2017-12-11 02:39:21 +0100115 self._tbm_cfg = self.load_config(cfg_dict, self._tbm_work_dir)
Minos Galanakisea421232019-06-20 17:11:28 +0100116 self._tbm_build_cfg, \
117 self.tbm_common_cfg = self.parse_config(self._tbm_cfg)
Karl Zhangaff558a2020-05-15 14:28:23 +0100118 self._tfb_code_base_updated = False
119 self._tfb_log_f = "CodeBasePrepare.log"
Minos Galanakisf4ca6ac2017-12-11 02:39:21 +0100120
121 super(TFM_Build_Manager, self).__init__(name="TFM_Build_Manager")
122
Xinyu Zhangff5d7712022-01-14 13:48:59 +0800123 def set_compiler_version(self, config):
124 compiler_version = ""
125 # Set GCC version
126 if "GNUARM" in config.toolchain_file:
127 # Use GCC v7.3.1 by default
128 compiler_version = "GCC_7_3_1"
129 # Set ARMClang version
130 elif "ARMCLANG" in config.toolchain_file:
131 # Use ARMClang v6.13 by default
132 compiler_version = "ARMCLANG_6_13"
133
134 return compiler_version
135
Dean Bircha6ede7e2020-03-13 14:00:33 +0000136 def get_config(self):
137 return list(self._tbm_build_cfg.keys())
Dean Birch5cb5a882020-01-24 11:37:13 +0000138
Dean Bircha6ede7e2020-03-13 14:00:33 +0000139 def print_config_environment(self, config, silence_stderr=False):
Dean Birch5cb5a882020-01-24 11:37:13 +0000140 """
141 For a given build configuration from output of print_config
142 method, print environment variables to build.
143 """
144 if config not in self._tbm_build_cfg:
Dean Bircha6ede7e2020-03-13 14:00:33 +0000145 if not silence_stderr:
146 print("Error: no such config {}".format(config), file=sys.stderr)
Dean Birch5cb5a882020-01-24 11:37:13 +0000147 sys.exit(1)
148 config_details = self._tbm_build_cfg[config]
149 argument_list = [
Dean Birchd0f9f8c2020-03-26 11:10:33 +0000150 "CONFIG_NAME={}",
Xinyu Zhangb708f572020-09-15 11:43:46 +0800151 "TFM_PLATFORM={}",
152 "TOOLCHAIN_FILE={}",
Xinyu Zhangff5d7712022-01-14 13:48:59 +0800153 "COMPILER_VERSION={}",
Xinyu Zhang73ed2992021-09-15 11:38:23 +0800154 "LIB_MODEL={}",
Xinyu Zhangb708f572020-09-15 11:43:46 +0800155 "ISOLATION_LEVEL={}",
156 "TEST_REGRESSION={}",
157 "TEST_PSA_API={}",
Dean Birch5cb5a882020-01-24 11:37:13 +0000158 "CMAKE_BUILD_TYPE={}",
Xinyu Zhangb708f572020-09-15 11:43:46 +0800159 "OTP={}",
Dean Birch5cb5a882020-01-24 11:37:13 +0000160 "BL2={}",
Xinyu Zhangb708f572020-09-15 11:43:46 +0800161 "NS={}",
Xinyu Zhang9fd74242020-10-22 11:30:50 +0800162 "PROFILE={}",
Xinyu Zhang9bfe8a92021-10-28 16:27:12 +0800163 "PARTITION_PS={}",
Feder Liang567e8c22021-10-26 14:16:21 +0800164 "FP={}",
Xinyu Zhangfd2e1152021-12-17 18:09:01 +0800165 "LAZY={}",
166 "EXTRA_PARAMS={}"
Dean Birch5cb5a882020-01-24 11:37:13 +0000167 ]
168 print(
169 "\n".join(argument_list)
170 .format(
Dean Birchd0f9f8c2020-03-26 11:10:33 +0000171 config,
Xinyu Zhangb708f572020-09-15 11:43:46 +0800172 config_details.tfm_platform,
173 config_details.toolchain_file,
Xinyu Zhangff5d7712022-01-14 13:48:59 +0800174 self.set_compiler_version(config_details),
Xinyu Zhang73ed2992021-09-15 11:38:23 +0800175 config_details.lib_model,
Xinyu Zhangb708f572020-09-15 11:43:46 +0800176 config_details.isolation_level,
177 config_details.test_regression,
178 config_details.test_psa_api,
Dean Birch5cb5a882020-01-24 11:37:13 +0000179 config_details.cmake_build_type,
Xinyu Zhangb708f572020-09-15 11:43:46 +0800180 config_details.with_otp,
181 config_details.with_bl2,
182 config_details.with_ns,
Xinyu Zhang9fd74242020-10-22 11:30:50 +0800183 "N.A" if not config_details.profile else config_details.profile,
Xinyu Zhang9bfe8a92021-10-28 16:27:12 +0800184 config_details.partition_ps,
Feder Liang567e8c22021-10-26 14:16:21 +0800185 config_details.fp,
Xinyu Zhangfd2e1152021-12-17 18:09:01 +0800186 config_details.lazy,
187 "N.A" if not config_details.extra_params else config_details.extra_params,
Dean Birch5cb5a882020-01-24 11:37:13 +0000188 )
189 .strip()
190 )
191
Dean Birchd0f9f8c2020-03-26 11:10:33 +0000192 def print_build_commands(self, config, silence_stderr=False):
193 config_details = self._tbm_build_cfg[config]
194 codebase_dir = os.path.join(os.getcwd(),"trusted-firmware-m")
Xinyu Zhangb708f572020-09-15 11:43:46 +0800195 build_dir=os.path.join(os.getcwd(),"trusted-firmware-m/build")
Dean Birchd0f9f8c2020-03-26 11:10:33 +0000196 build_config = self.get_build_config(config_details, config, silence=silence_stderr, build_dir=build_dir, codebase_dir=codebase_dir)
Xinyu Zhang694eb492020-11-04 18:29:08 +0800197 build_commands = [build_config["config_template"]]
198 for command in build_config["build_cmds"]:
199 build_commands.append(command)
Xinyu Zhangb708f572020-09-15 11:43:46 +0800200 print(" ;\n".join(build_commands))
Dean Birchd0f9f8c2020-03-26 11:10:33 +0000201
Minos Galanakisf4ca6ac2017-12-11 02:39:21 +0100202 def pre_eval(self):
203 """ Tests that need to be run in set-up state """
204 return True
205
206 def pre_exec(self, eval_ret):
207 """ """
208
Minos Galanakisea421232019-06-20 17:11:28 +0100209 def override_tbm_cfg_params(self, config, override_keys, **params):
210 """ Using a dictionay as input, for each key defined in
211 override_keys it will replace the config[key] entries with
212 the key=value parameters provided """
213
214 for key in override_keys:
215 if isinstance(config[key], list):
216 config[key] = [n % params for n in config[key]]
217 elif isinstance(config[key], str):
218 config[key] = config[key] % params
219 else:
220 raise Exception("Config does not contain key %s "
221 "of type %s" % (key, config[key]))
222 return config
223
Karl Zhangaff558a2020-05-15 14:28:23 +0100224 def pre_build(self, build_cfg):
225 print("pre_build start %s \r\nself._tfb_cfg %s\r\n" %
226 (self, build_cfg))
227
228 try:
229 if self._tfb_code_base_updated:
230 print("Code base has been updated")
231 return True
232
233 self._tfb_code_base_updated = True
234
235 if "build_psa_api" in build_cfg:
236 # FF IPC build needs repo manifest update for TFM and PSA arch test
237 if "build_ff_ipc" in build_cfg:
238 print("Checkout to FF IPC code base")
239 os.chdir(build_cfg["codebase_root_dir"] + "/../psa-arch-tests/api-tests")
240 _api_test_manifest = "git checkout . ; python3 tools/scripts/manifest_update.py"
241 if subprocess_log(_api_test_manifest,
242 self._tfb_log_f,
243 append=True,
244 prefix=_api_test_manifest):
245
246 raise Exception("Python Failed please check log: %s" %
247 self._tfb_log_f)
248
249 _api_test_manifest_tfm = "python3 tools/tfm_parse_manifest_list.py -m tools/tfm_psa_ff_test_manifest_list.yaml append"
250 os.chdir(build_cfg["codebase_root_dir"])
251 if subprocess_log(_api_test_manifest_tfm,
252 self._tfb_log_f,
253 append=True,
254 prefix=_api_test_manifest_tfm):
255
256 raise Exception("Python TFM Failed please check log: %s" %
257 self._tfb_log_f)
258 return True
259
260 print("Checkout to default code base")
261 os.chdir(build_cfg["codebase_root_dir"] + "/../psa-arch-tests/api-tests")
262 _api_test_manifest = "git checkout ."
263 if subprocess_log(_api_test_manifest,
264 self._tfb_log_f,
265 append=True,
266 prefix=_api_test_manifest):
267
268 raise Exception("Python Failed please check log: %s" %
269 self._tfb_log_f)
270
271 _api_test_manifest_tfm = "python3 tools/tfm_parse_manifest_list.py"
272 os.chdir(build_cfg["codebase_root_dir"])
273 if subprocess_log(_api_test_manifest_tfm,
274 self._tfb_log_f,
275 append=True,
276 prefix=_api_test_manifest_tfm):
277
278 raise Exception("Python TFM Failed please check log: %s" %
279 self._tfb_log_f)
280 finally:
281 print("python pass after builder prepare")
282 os.chdir(build_cfg["codebase_root_dir"] + "/../")
283
Minos Galanakisf4ca6ac2017-12-11 02:39:21 +0100284 def task_exec(self):
285 """ Create a build pool and execute them in parallel """
286
287 build_pool = []
Minos Galanakisf4ca6ac2017-12-11 02:39:21 +0100288
Minos Galanakisea421232019-06-20 17:11:28 +0100289 # When a config is flagged as a single build config.
290 # Name is evaluated by config type
291 if self.simple_config:
292
293 build_cfg = deepcopy(self.tbm_common_cfg)
294
295 # Extract the common for all elements of config
296 for key in ["build_cmds", "required_artefacts"]:
297 try:
298 build_cfg[key] = build_cfg[key]["all"]
299 except KeyError:
300 build_cfg[key] = []
301 name = build_cfg["config_type"]
302
303 # Override _tbm_xxx paths in commands
304 # plafrom in not guaranteed without seeds so _tbm_target_platform
305 # is ignored
306 over_dict = {"_tbm_build_dir_": os.path.join(self._tbm_work_dir,
307 name),
308 "_tbm_code_dir_": build_cfg["codebase_root_dir"]}
309
310 build_cfg = self.override_tbm_cfg_params(build_cfg,
311 ["build_cmds",
312 "required_artefacts",
313 "artifact_capture_rex"],
314 **over_dict)
315
316 # Overrides path in expected artefacts
Minos Galanakisf4ca6ac2017-12-11 02:39:21 +0100317 print("Loading config %s" % name)
Minos Galanakisea421232019-06-20 17:11:28 +0100318
319 build_pool.append(TFM_Builder(
320 name=name,
321 work_dir=self._tbm_work_dir,
322 cfg_dict=build_cfg,
323 build_threads=self._tbm_build_threads,
324 img_sizes=self._tbm_img_sizes,
325 relative_paths=self._tbm_relative_paths))
326 # When a seed pool is provided iterate through the entries
327 # and update platform spefific parameters
328 elif len(self._tbm_build_cfg):
Karl Zhangaff558a2020-05-15 14:28:23 +0100329 print("\r\n_tbm_build_cfg %s\r\n tbm_common_cfg %s\r\n" \
330 % (self._tbm_build_cfg, self.tbm_common_cfg))
Minos Galanakisea421232019-06-20 17:11:28 +0100331 for name, i in self._tbm_build_cfg.items():
332 # Do not modify the original config
Dean Birchd0f9f8c2020-03-26 11:10:33 +0000333 build_cfg = self.get_build_config(i, name)
Karl Zhangaff558a2020-05-15 14:28:23 +0100334 self.pre_build(build_cfg)
Minos Galanakisea421232019-06-20 17:11:28 +0100335 # Overrides path in expected artefacts
336 print("Loading config %s" % name)
337
338 build_pool.append(TFM_Builder(
339 name=name,
340 work_dir=self._tbm_work_dir,
341 cfg_dict=build_cfg,
342 build_threads=self._tbm_build_threads,
343 img_sizes=self._tbm_img_sizes,
344 relative_paths=self._tbm_relative_paths))
345 else:
346 print("Could not find any configuration. Check the rejection list")
Minos Galanakisf4ca6ac2017-12-11 02:39:21 +0100347
348 status_rep = {}
Minos Galanakisea421232019-06-20 17:11:28 +0100349 build_rep = {}
350 completed_build_count = 0
Minos Galanakisf4ca6ac2017-12-11 02:39:21 +0100351 print("Build: Running %d parallel build jobs" % self._tbm_conc_builds)
352 for build_pool_slice in list_chunks(build_pool, self._tbm_conc_builds):
353
354 # Start the builds
355 for build in build_pool_slice:
356 # Only produce output for the first build
357 if build_pool_slice.index(build) != 0:
358 build.mute()
359 print("Build: Starting %s" % build.get_name())
360 build.start()
361
362 # Wait for the builds to complete
363 for build in build_pool_slice:
364 # Wait for build to finish
365 build.join()
366 # Similarly print the logs of the other builds as they complete
367 if build_pool_slice.index(build) != 0:
368 build.log()
Minos Galanakisea421232019-06-20 17:11:28 +0100369 completed_build_count += 1
Minos Galanakisf4ca6ac2017-12-11 02:39:21 +0100370 print("Build: Finished %s" % build.get_name())
Minos Galanakisea421232019-06-20 17:11:28 +0100371 print("Build Progress:")
372 show_progress(completed_build_count, len(build_pool))
Minos Galanakisf4ca6ac2017-12-11 02:39:21 +0100373
374 # Store status in report
375 status_rep[build.get_name()] = build.get_status()
Minos Galanakisea421232019-06-20 17:11:28 +0100376 build_rep[build.get_name()] = build.report()
377
378 # Include the original input configuration in the report
379
380 metadata = {"input_build_cfg": self._tbm_cfg,
381 "build_dir": self._tbm_work_dir
382 if not self._tbm_relative_paths
383 else resolve_rel_path(self._tbm_work_dir),
384 "time": time()}
385
386 full_rep = {"report": build_rep,
387 "_metadata_": metadata}
388
Minos Galanakisf4ca6ac2017-12-11 02:39:21 +0100389 # Store the report
390 self.stash("Build Status", status_rep)
391 self.stash("Build Report", full_rep)
392
393 if self._tbm_report:
394 print("Exported build report to file:", self._tbm_report)
395 save_json(self._tbm_report, full_rep)
396
Dean Birchd0f9f8c2020-03-26 11:10:33 +0000397 def get_build_config(self, i, name, silence=False, build_dir=None, codebase_dir=None):
398 psa_build_dir = self._tbm_work_dir + "/" + name + "/BUILD"
399 if not build_dir:
400 build_dir = os.path.join(self._tbm_work_dir, name)
401 else:
402 psa_build_dir = os.path.join(build_dir, "../../psa-arch-tests/api-tests/build")
403 build_cfg = deepcopy(self.tbm_common_cfg)
404 if not codebase_dir:
405 codebase_dir = build_cfg["codebase_root_dir"]
406 else:
407 # Would prefer to do all with the new variable
408 # However, many things use this from build_cfg elsewhere
409 build_cfg["codebase_root_dir"] = codebase_dir
410 # Extract the common for all elements of config
411 for key in ["build_cmds", "required_artefacts"]:
412 try:
413 build_cfg[key] = deepcopy(self.tbm_common_cfg[key]
414 ["all"])
415 except KeyError as E:
416 build_cfg[key] = []
417 # Extract the platform specific elements of config
418 for key in ["build_cmds", "required_artefacts"]:
419 try:
Xinyu Zhang694eb492020-11-04 18:29:08 +0800420 if i.tfm_platform in self.tbm_common_cfg[key].keys() and i.with_ns:
Dean Birchd0f9f8c2020-03-26 11:10:33 +0000421 build_cfg[key] += deepcopy(self.tbm_common_cfg[key]
Xinyu Zhangb708f572020-09-15 11:43:46 +0800422 [i.tfm_platform])
Dean Birchd0f9f8c2020-03-26 11:10:33 +0000423 except Exception as E:
424 pass
Karl Zhang1eed6322020-07-01 15:38:10 +0800425
426 if os.cpu_count() >= 8:
427 #run in a serviver with scripts, parallel build will use CPU numbers
428 thread_no = " -j 2"
429 else:
430 #run in a docker, usually docker with CPUs less than 8
431 thread_no = " -j " + str(os.cpu_count())
Xinyu Zhangb708f572020-09-15 11:43:46 +0800432 build_cfg["build_cmds"][0] += thread_no
433 overwrite_params = {"codebase_root_dir": build_cfg["codebase_root_dir"],
434 "tfm_platform": i.tfm_platform,
435 "toolchain_file": i.toolchain_file,
Xinyu Zhang73ed2992021-09-15 11:38:23 +0800436 "lib_model": i.lib_model,
Xinyu Zhangb708f572020-09-15 11:43:46 +0800437 "isolation_level": i.isolation_level,
438 "test_regression": i.test_regression,
439 "test_psa_api": i.test_psa_api,
440 "cmake_build_type": i.cmake_build_type,
441 "with_otp": i.with_otp,
442 "with_bl2": i.with_bl2,
443 "with_ns": i.with_ns,
Xinyu Zhang9fd74242020-10-22 11:30:50 +0800444 "profile": "" if i.profile=="N.A" else i.profile,
Xinyu Zhang9bfe8a92021-10-28 16:27:12 +0800445 "partition_ps": i.partition_ps,
Feder Liang567e8c22021-10-26 14:16:21 +0800446 "fp": i.fp,
Xinyu Zhangfd2e1152021-12-17 18:09:01 +0800447 "lazy": i.lazy,
448 "extra_params": mapExtraParams[i.extra_params]}
Xinyu Zhanga0086022020-11-10 18:11:12 +0800449 if i.test_psa_api == "IPC":
Xinyu Zhangcd1ed962020-11-11 16:00:52 +0800450 overwrite_params["test_psa_api"] += " -DINCLUDE_PANIC_TESTS=1"
Xinyu Zhang8cee3312021-11-12 11:06:39 +0800451 if i.tfm_platform == "arm/musca_b1/sse_200":
452 overwrite_params["test_psa_api"] += " -DITS_RAM_FS=ON -DPS_RAM_FS=ON"
Feder Liang567e8c22021-10-26 14:16:21 +0800453 if i.fp == "1" or i.fp == "2":
454 overwrite_params["test_psa_api"] += " -DTEST_S_FPU=ON -DTEST_NS_FPU=ON"
Xinyu Zhangb708f572020-09-15 11:43:46 +0800455 build_cfg["config_template"] %= overwrite_params
Xinyu Zhang694eb492020-11-04 18:29:08 +0800456 if len(build_cfg["build_cmds"]) > 1:
457 overwrite_build_dir = {"_tbm_build_dir_": build_dir}
458 build_cfg["build_cmds"][1] %= overwrite_build_dir
Dean Birchd0f9f8c2020-03-26 11:10:33 +0000459 return build_cfg
460
Minos Galanakisf4ca6ac2017-12-11 02:39:21 +0100461 def post_eval(self):
462 """ If a single build failed fail the test """
463 try:
Minos Galanakisea421232019-06-20 17:11:28 +0100464 status_dict = self.unstash("Build Status")
465 if not status_dict:
466 raise Exception()
467 retcode_sum = sum(status_dict.values())
Minos Galanakisf4ca6ac2017-12-11 02:39:21 +0100468 if retcode_sum != 0:
469 raise Exception()
470 return True
471 except Exception as e:
472 return False
473
474 def post_exec(self, eval_ret):
475 """ Generate a report and fail the script if build == unsuccessfull"""
476
477 self.print_summary()
478 if not eval_ret:
479 print("ERROR: ====> Build Failed! %s" % self.get_name())
480 self.set_status(1)
481 else:
482 print("SUCCESS: ====> Build Complete!")
483 self.set_status(0)
484
485 def get_report(self):
486 """ Expose the internal report to a new object for external classes """
487 return deepcopy(self.unstash("Build Report"))
488
Minos Galanakisf4ca6ac2017-12-11 02:39:21 +0100489 def load_config(self, config, work_dir):
490 try:
491 # passing config_name param supersseeds fileparam
492 if isinstance(config, dict):
493 ret_cfg = deepcopy(config)
494 elif isinstance(config, str):
495 # If the string does not descrive a file try to look for it in
496 # work directory
497 if not os.path.isfile(config):
498 # remove path from file
499 config_2 = os.path.split(config)[-1]
500 # look in the current working directory
501 config_2 = os.path.join(work_dir, config_2)
502 if not os.path.isfile(config_2):
503 m = "Could not find cfg in %s or %s " % (config,
504 config_2)
505 raise Exception(m)
506 # If fille exists in working directory
507 else:
508 config = config_2
509 ret_cfg = load_json(config)
510
511 else:
512 raise Exception("Need to provide a valid config name or file."
513 "Please use --config/--config-file parameter.")
514 except Exception as e:
515 print("Error:%s \nCould not load a valid config" % e)
516 sys.exit(1)
517
Minos Galanakisf4ca6ac2017-12-11 02:39:21 +0100518 return ret_cfg
519
520 def parse_config(self, cfg):
521 """ Parse a valid configuration file into a set of build dicts """
522
Minos Galanakisea421232019-06-20 17:11:28 +0100523 ret_cfg = {}
Minos Galanakisf4ca6ac2017-12-11 02:39:21 +0100524
Minos Galanakisea421232019-06-20 17:11:28 +0100525 # Config entries which are not subject to changes during combinations
526 static_cfg = cfg["common_params"]
Minos Galanakisf4ca6ac2017-12-11 02:39:21 +0100527
Minos Galanakisea421232019-06-20 17:11:28 +0100528 # Converth the code path to absolute path
529 abs_code_dir = static_cfg["codebase_root_dir"]
530 abs_code_dir = os.path.abspath(os.path.expanduser(abs_code_dir))
531 static_cfg["codebase_root_dir"] = abs_code_dir
Minos Galanakisf4ca6ac2017-12-11 02:39:21 +0100532
Minos Galanakisea421232019-06-20 17:11:28 +0100533 # seed_params is an optional field. Do not proccess if it is missing
534 if "seed_params" in cfg:
535 comb_cfg = cfg["seed_params"]
536 # Generate a list of all possible confugration combinations
537 ret_cfg = TFM_Build_Manager.generate_config_list(comb_cfg,
538 static_cfg)
Minos Galanakisf4ca6ac2017-12-11 02:39:21 +0100539
Xinyu Zhang2c63ce72021-07-23 14:01:59 +0800540 # valid is an optional field. Do not proccess if it is missing
541 if "valid" in cfg:
542 # Valid configurations(Need to build)
543 valid_cfg = cfg["valid"]
544 # Add valid configs to build list
545 ret_cfg.update(TFM_Build_Manager.generate_optional_list(
546 comb_cfg,
547 static_cfg,
548 valid_cfg))
549
Minos Galanakisea421232019-06-20 17:11:28 +0100550 # invalid is an optional field. Do not proccess if it is missing
551 if "invalid" in cfg:
552 # Invalid configurations(Do not build)
553 invalid_cfg = cfg["invalid"]
554 # Remove the rejected entries from the test list
Xinyu Zhang0581b082021-05-17 10:46:57 +0800555 rejection_cfg = TFM_Build_Manager.generate_optional_list(
Minos Galanakisea421232019-06-20 17:11:28 +0100556 comb_cfg,
557 static_cfg,
558 invalid_cfg)
Minos Galanakisf4ca6ac2017-12-11 02:39:21 +0100559
Minos Galanakisea421232019-06-20 17:11:28 +0100560 # Subtract the two configurations
561 ret_cfg = {k: v for k, v in ret_cfg.items()
562 if k not in rejection_cfg}
563 self.simple_config = False
564 else:
565 self.simple_config = True
566 return ret_cfg, static_cfg
Minos Galanakisf4ca6ac2017-12-11 02:39:21 +0100567
Minos Galanakisea421232019-06-20 17:11:28 +0100568 # ----- Override bellow methods when subclassing for other projects ----- #
Minos Galanakisf4ca6ac2017-12-11 02:39:21 +0100569
Minos Galanakisea421232019-06-20 17:11:28 +0100570 def print_summary(self):
571 """ Print an comprehensive list of the build jobs with their status """
Minos Galanakisf4ca6ac2017-12-11 02:39:21 +0100572
Minos Galanakisea421232019-06-20 17:11:28 +0100573 try:
574 full_rep = self.unstash("Build Report")["report"]
575 fl = ([k for k, v in full_rep.items() if v['status'] == 'Failed'])
576 ps = ([k for k, v in full_rep.items() if v['status'] == 'Success'])
577 except Exception as E:
Karl Zhangaff558a2020-05-15 14:28:23 +0100578 print("No report generated", E)
Minos Galanakisea421232019-06-20 17:11:28 +0100579 return
580 if fl:
581 print_test(t_list=fl, status="failed", tname="Builds")
582 if ps:
583 print_test(t_list=ps, status="passed", tname="Builds")
Minos Galanakisf4ca6ac2017-12-11 02:39:21 +0100584
Minos Galanakisea421232019-06-20 17:11:28 +0100585 @staticmethod
586 def generate_config_list(seed_config, static_config):
587 """ Generate all possible configuration combinations from a group of
588 lists of compiler options"""
589 config_list = []
590
591 if static_config["config_type"] == "tf-m":
592 cfg_name = "TFM_Build_CFG"
593 # Ensure the fieds are sorted in the desired order
594 # seed_config can be a subset of sort order for configurations with
595 # optional parameters.
596 tags = [n for n in static_config["sort_order"]
597 if n in seed_config.keys()]
Karl Zhangaff558a2020-05-15 14:28:23 +0100598 print("!!!!!!!!!!!gen list %s\r\n" % tags)
Minos Galanakisea421232019-06-20 17:11:28 +0100599
600 data = []
601 for key in tags:
602 data.append(seed_config[key])
603 config_list = gen_cfg_combinations(cfg_name,
604 " ".join(tags),
605 *data)
606 else:
607 print("Not information for project type: %s."
608 " Please check config" % static_config["config_type"])
609
610 ret_cfg = {}
611 # Notify the user for the rejected configuations
612 for i in config_list:
Xinyu Zhang1078e812020-10-15 11:52:36 +0800613 # Convert named tuples to string in a brief format
614 config_param = []
615 config_param.append(mapPlatform[list(i)[0]])
616 config_param.append(mapCompiler[list(i)[1]])
Xinyu Zhang73ed2992021-09-15 11:38:23 +0800617 if list(i)[2]: # LIB_MODEL
618 config_param.append("LIB")
619 else:
620 config_param.append("IPC")
Xinyu Zhang1078e812020-10-15 11:52:36 +0800621 config_param.append(list(i)[3]) # ISOLATION_LEVEL
622 if list(i)[4]: # TEST_REGRESSION
623 config_param.append("REG")
624 if list(i)[5] != "OFF": #TEST_PSA_API
625 config_param.append(mapTestPsaApi[list(i)[5]])
626 config_param.append(list(i)[6]) # BUILD_TYPE
Xinyu Zhanga50432e2020-10-23 18:00:18 +0800627 if list(i)[7] == "ENABLED": # OTP
Xinyu Zhang1078e812020-10-15 11:52:36 +0800628 config_param.append("OTP")
629 if list(i)[8]: # BL2
630 config_param.append("BL2")
631 if list(i)[9]: # NS
632 config_param.append("NS")
633 if list(i)[10]: # PROFILE
634 config_param.append(mapProfile[list(i)[10]])
Xinyu Zhang9fd74242020-10-22 11:30:50 +0800635 if list(i)[11] == "OFF": #PARTITION_PS
636 config_param.append("PSOFF")
Xinyu Zhang3bb01af2021-12-20 14:45:49 +0800637 if list(i)[12] == "1" or list(i)[12] == "2":
638 config_param.append(mapSFPOption[list(i)[12]]) #FP
639 if list(i)[13] == "ON": # LAZY
Feder Liang567e8c22021-10-26 14:16:21 +0800640 config_param.append("SLAZY")
Xinyu Zhang3bb01af2021-12-20 14:45:49 +0800641 if list(i)[14]: # EXTRA_PARAMS
642 config_param.append(list(i)[14])
Xinyu Zhang1078e812020-10-15 11:52:36 +0800643 i_str = "_".join(config_param)
Karl Zhangaff558a2020-05-15 14:28:23 +0100644 ret_cfg[i_str] = i
Minos Galanakisea421232019-06-20 17:11:28 +0100645 return ret_cfg
646
647 @staticmethod
Xinyu Zhang0581b082021-05-17 10:46:57 +0800648 def generate_optional_list(seed_config,
649 static_config,
650 optional_list):
651 optional_cfg = {}
Minos Galanakisea421232019-06-20 17:11:28 +0100652
653 if static_config["config_type"] == "tf-m":
654
Xinyu Zhang0581b082021-05-17 10:46:57 +0800655 # If optional list is empty do nothing
656 if not optional_list:
657 return optional_cfg
Minos Galanakisea421232019-06-20 17:11:28 +0100658
659 tags = [n for n in static_config["sort_order"]
660 if n in seed_config.keys()]
661 sorted_default_lst = [seed_config[k] for k in tags]
662
Xinyu Zhang0581b082021-05-17 10:46:57 +0800663 # If tags are not alligned with optional list entries quit
664 if len(tags) != len(optional_list[0]):
665 print(len(tags), len(optional_list[0]))
Minos Galanakisea421232019-06-20 17:11:28 +0100666 print("Error, tags should be assigned to each "
Xinyu Zhang0581b082021-05-17 10:46:57 +0800667 "of the optional inputs")
Minos Galanakisea421232019-06-20 17:11:28 +0100668 return []
669
670 # Replace wildcard ( "*") entries with every
671 # inluded in cfg variant
Xinyu Zhang0581b082021-05-17 10:46:57 +0800672 for k in optional_list:
Minos Galanakisea421232019-06-20 17:11:28 +0100673 # Pad the omitted values with wildcard char *
674 res_list = list(k) + ["*"] * (5 - len(k))
Xinyu Zhang0581b082021-05-17 10:46:57 +0800675 print("Working on optional input: %s" % (res_list))
Minos Galanakisea421232019-06-20 17:11:28 +0100676
677 for n in range(len(res_list)):
678
679 res_list[n] = [res_list[n]] if res_list[n] != "*" \
680 else sorted_default_lst[n]
681
682 # Generate a configuration and a name for the completed array
Xinyu Zhang0581b082021-05-17 10:46:57 +0800683 op_cfg = TFM_Build_Manager.generate_config_list(
Minos Galanakisea421232019-06-20 17:11:28 +0100684 dict(zip(tags, res_list)),
685 static_config)
686
687 # Append the configuration to the existing ones
Xinyu Zhang0581b082021-05-17 10:46:57 +0800688 optional_cfg = dict(optional_cfg, **op_cfg)
Minos Galanakisea421232019-06-20 17:11:28 +0100689
Xinyu Zhang0581b082021-05-17 10:46:57 +0800690 # Notify the user for the optional configuations
691 for i in optional_cfg.keys():
692 print("Generating optional config %s" % i)
Minos Galanakisea421232019-06-20 17:11:28 +0100693 else:
694 print("Not information for project type: %s."
695 " Please check config" % static_config["config_type"])
Xinyu Zhang0581b082021-05-17 10:46:57 +0800696 return optional_cfg