blob: d6648d3f28c04fbcc344bff17fdd029dc8320bb5 [file] [log] [blame] [edit]
#!/usr/bin/env python3
# -*- coding: utf-8 -*-
# Copyright 2021 The ChromiumOS Authors
# Use of this source code is governed by a BSD-style license that can be
# found in the LICENSE file.
"""Build, bundle, or test all of the EC boards.
This is the entry point for the custom firmware builder workflow recipe. It
gets invoked by chromite/api/controller/firmware.py.
"""
import argparse
import multiprocessing
import os
import subprocess
import sys
# pylint: disable=import-error
from google.protobuf import json_format
# TODO(crbug/1181505): Code outside of chromite should not be importing from
# chromite.api.gen. Import json_format after that so we get the matching one.
from chromite.api.gen.chromite.api import firmware_pb2
# Set to True to publish goldeneye artifacts with new firmware builders.
# - False on TOT.
# - True on mp and prepvt branches.
PUBLISH_TO_GOLDENEYE = False
# Cr50 uses the reef builder. If that ever changes, update this name
GE_BOARD = "reef"
DEFAULT_BUNDLE_DIRECTORY = "/tmp/artifact_bundles"
DEFAULT_BUNDLE_METADATA_FILE = "/tmp/artifact_bundle_metadata"
RO_VER = "0.0.14"
# List of files to bundle each element is a tuple with the source and dest
# filenames. If the dest filename is empty, it'll keep the same basename.
# This is the same list of files the ebuild bundles.
BUNDLE_FILES = [
("ec.bin", ""),
("prod.json", ""),
("RW/ec.RW_B.elf.fips", "ec.RW_B.elf"),
("RW/ec.RW_B.map", ""),
("RW/ec.RW.dis", ""),
("RW/ec.RW.elf.fips", "ec.RW.elf"),
("RW/ec.RW.map", ""),
("RW/board/cr50/dcrypto/fips_module.o", ""),
("../../util/signer/fuses.xml", ""),
("../../board/cr50/rma_key_blob.x25519.prod", ""),
("../../board/cr50/rma_key_blob.x25519.test", ""),
("../../board/cr50/rma_key_blob.p256.prod", ""),
("../../board/cr50/rma_key_blob.p256.test", ""),
(
"../../board/cr50/ROs/cr50.prod.ro.%s.%s.hex" % ("A", RO_VER),
"prod.ro.A",
),
(
"../../board/cr50/ROs/cr50.prod.ro.%s.%s.hex" % ("B", RO_VER),
"prod.ro.B",
),
]
def init_toolchain():
"""Initialize coreboot-sdk.
Returns:
Environment variables to use for toolchain.
"""
# (environment variable, bazel target)
toolchains = [
("COREBOOT_SDK_ROOT_arm", "@cr50-coreboot-sdk-arm-eabi//:get_path"),
]
subprocess.run(
[
"bazel",
"--project",
"fwsdk",
"build",
*(target for _, target in toolchains),
],
check=True,
)
result = {}
for name, target in toolchains:
run_result = subprocess.run(
["bazel", "--project", "fwsdk", "run", target],
check=True,
stdout=subprocess.PIPE,
)
result[name] = run_result.stdout.strip()
return result
def build(opts):
"""Builds all EC firmware targets
Note that when we are building unit tests for code coverage, we don't
need this step. It builds EC **firmware** targets, but unit tests with
code coverage are all host-based. So if the --code-coverage flag is set,
we don't need to build the firmware targets and we can return without
doing anything but creating the metrics file and giving an informational
message.
"""
# TODO(b/169178847): Add appropriate metric information
metrics = firmware_pb2.FwBuildMetricList()
env = os.environ.copy()
env.update(init_toolchain())
with open(opts.metrics, "w") as f:
f.write(json_format.MessageToJson(metrics))
if opts.code_coverage:
print(
"When --code-coverage is selected, 'build' is a no-op. "
"Run 'test' with --code-coverage instead."
)
return
cmd = ["make", "BOARD=cr50", "all", "dis", "-j{}".format(opts.cpus)]
print(f'# Running {" ".join(cmd)}.')
subprocess.run(cmd, cwd=os.path.dirname(__file__), check=True, env=env)
cmd = [
"make",
"out=build/dbg_test",
"BOARD=cr50",
"all",
"dis",
"CR50_DEV=1",
"-j{}".format(opts.cpus),
]
print(f'# Running {" ".join(cmd)}.')
subprocess.run(cmd, cwd=os.path.dirname(__file__), check=True, env=env)
cmd = [
"make",
"out=build/crypto_test",
"BOARD=cr50",
"all",
"dis",
"CRYPTO_TEST=1",
"-j{}".format(opts.cpus),
]
print(f'# Running {" ".join(cmd)}.')
subprocess.run(cmd, cwd=os.path.dirname(__file__), check=True, env=env)
cmd = [
"make",
"out=build/crypto_test_rb",
"BOARD=cr50",
"all",
"dis",
"CRYPTO_TEST=1",
"H1_RED_BOARD=1",
"-j{}".format(opts.cpus),
]
print(f'# Running {" ".join(cmd)}.')
subprocess.run(cmd, cwd=os.path.dirname(__file__), check=True, env=env)
def bundle(opts):
if opts.code_coverage:
bundle_coverage(opts)
else:
bundle_firmware(opts)
def get_bundle_dir(opts):
"""Get the directory for the bundle from opts or use the default.
Also create the directory if it doesn't exist.
"""
bundle_dir = (
opts.output_dir if opts.output_dir else DEFAULT_BUNDLE_DIRECTORY
)
if not os.path.isdir(bundle_dir):
os.mkdir(bundle_dir)
return bundle_dir
def write_metadata(opts, info):
"""Write the metadata about the bundle."""
bundle_metadata_file = (
opts.metadata if opts.metadata else DEFAULT_BUNDLE_METADATA_FILE
)
with open(bundle_metadata_file, "w") as f:
f.write(json_format.MessageToJson(info))
def bundle_coverage(opts):
"""Bundles the artifacts from code coverage into its own tarball."""
info = firmware_pb2.FirmwareArtifactInfo()
info.bcs_version_info.version_string = opts.bcs_version
bundle_dir = get_bundle_dir(opts)
ec_dir = os.path.dirname(__file__)
tarball_name = "coverage.tbz2"
tarball_path = os.path.join(bundle_dir, tarball_name)
cmd = ["tar", "cvfj", tarball_path, "lcov.info"]
subprocess.run(cmd, cwd=os.path.join(ec_dir, "build/coverage"), check=True)
meta = info.objects.add()
meta.file_name = tarball_name
meta.lcov_info.type = (
firmware_pb2.FirmwareArtifactInfo.LcovTarballInfo.LcovType.LCOV
)
write_metadata(opts, info)
def create_artifact_dir(ec_dir, build_target):
"""Copy artifacts into a build_target directory that can be bundled.
The signer expects the artifacts to be in a build_target directory in the
tarball. Create the directory and copy all of the artifact files into it.
"""
# Nothing needs to be done to the host artifacts
if build_target == "host":
return ["--exclude=*.o.d", "--exclude=*.o", "."]
build_dir = os.path.join(ec_dir, "build", build_target)
cmd = ["mkdir", build_target]
subprocess.run(cmd, cwd=build_dir, check=True)
for src, dest in BUNDLE_FILES:
dest = os.path.join(build_target, dest)
# The non-cr50 builds are DBG and crypto test images. Rename their elf
# files, so it's not possible for the signer to sign them.
if dest.endswith(".elf") and build_target != "cr50":
dest += ".test"
cmd = ["cp", src, dest]
subprocess.run(cmd, cwd=build_dir, check=True)
return [build_target]
def bundle_firmware(opts):
"""Bundles the artifacts from each target into its own tarball."""
info = firmware_pb2.FirmwareArtifactInfo()
info.bcs_version_info.version_string = opts.bcs_version
bundle_dir = get_bundle_dir(opts)
ec_dir = os.path.dirname(__file__)
for build_target in sorted(os.listdir(os.path.join(ec_dir, "build"))):
tarball_name = "".join([build_target, ".firmware.tar.bz2"])
tarball_path = os.path.join(bundle_dir, tarball_name)
artifact_dir = create_artifact_dir(ec_dir, build_target)
cmd = ["tar", "cvfj", tarball_path]
cmd.extend(artifact_dir)
subprocess.run(
cmd, cwd=os.path.join(ec_dir, "build", build_target), check=True
)
meta = info.objects.add()
meta.file_name = tarball_name
# Board is required to publish to GE as well
if PUBLISH_TO_GOLDENEYE and build_target == "cr50":
meta.tarball_info.board.extend([GE_BOARD])
meta.tarball_info.publish_to_goldeneye = True
meta.tarball_info.type = (
firmware_pb2.FirmwareArtifactInfo.TarballInfo.FirmwareType.GSC
)
# TODO(kmshelton): Populate the rest of metadata contents as it gets
# defined in infra/proto/src/chromite/api/firmware.proto.
write_metadata(opts, info)
def test(opts):
"""Runs all of the unit tests for EC firmware"""
# TODO(b/169178847): Add appropriate metric information
metrics = firmware_pb2.FwTestMetricList()
env = os.environ.copy()
env.update(init_toolchain())
with open(opts.metrics, "w") as f:
f.write(json_format.MessageToJson(metrics))
# If building for code coverage, build the 'coverage' target, which
# builds the posix-based unit tests for code coverage and assembles
# the LCOV information.
#
# Otherwise, build the 'runtests' target, which verifies all
# posix-based unit tests build and pass.
target = "coverage" if opts.code_coverage else "runtests"
cmd = ["make", target, "-j{}".format(opts.cpus)]
print(f'# Running {" ".join(cmd)}.')
subprocess.run(cmd, cwd=os.path.dirname(__file__), check=True, env=env)
def main(args):
"""Builds, bundles, or tests all of the EC targets.
Additionally, the tool reports build metrics.
"""
opts = parse_args(args)
if not hasattr(opts, "func"):
print("Must select a valid sub command!")
return -1
# Run selected sub command function
try:
opts.func(opts)
except subprocess.CalledProcessError:
return 1
else:
return 0
def parse_args(args):
parser = argparse.ArgumentParser(description=__doc__)
parser.add_argument(
"--cpus",
default=multiprocessing.cpu_count(),
help="The number of cores to use.",
)
parser.add_argument(
"--metrics",
dest="metrics",
required=True,
help="File to write the json-encoded MetricsList proto message.",
)
parser.add_argument(
"--metadata",
required=False,
help="Full pathname for the file in which to write build artifact "
"metadata.",
)
parser.add_argument(
"--output-dir",
required=False,
help="Full pathanme for the directory in which to bundle build "
"artifacts.",
)
parser.add_argument(
"--code-coverage",
required=False,
action="store_true",
help="Build host-based unit tests for code coverage.",
)
parser.add_argument(
"--bcs-version",
dest="bcs_version",
default="",
required=False,
# TODO(b/180008931): make this required=True.
help="BCS version to include in metadata.",
)
# Would make this required=True, but not available until 3.7
sub_cmds = parser.add_subparsers()
build_cmd = sub_cmds.add_parser("build", help="Builds all firmware targets")
build_cmd.set_defaults(func=build)
build_cmd = sub_cmds.add_parser(
"bundle",
help="Creates a tarball containing build "
"artifacts from all firmware targets",
)
build_cmd.set_defaults(func=bundle)
test_cmd = sub_cmds.add_parser("test", help="Runs all firmware unit tests")
test_cmd.set_defaults(func=test)
return parser.parse_args(args)
if __name__ == "__main__":
sys.exit(main(sys.argv[1:]))
OSZAR »