pw_build#

Pigweed’s modules aim to be easily integratable into both new and existing embedded projects. To that goal, the pw_build module provides support for multiple build systems. Our personal favorite is GN/Ninja, which is used by upstream developers for its speed and flexibility. CMake and Bazel build files are also provided by all modules, allowing Pigweed to be added to a project with minimal effort.

Beyond just compiling code, Pigweed’s GN build system can also:

  • Generate HTML documentation, via our Sphinx integration (with pw_docgen)

  • Display memory usage report cards (with pw_bloat)

  • Incrementally run unit tests after code changes (with pw_target_runner)

  • And more!

These are only supported in the GN build, so we recommend using it if possible.

GN / Ninja#

The GN / Ninja build system is the primary build system used for upstream Pigweed development, and is the most tested and feature-rich build system Pigweed offers.

This module’s build.gn file contains a number of C/C++ config declarations that are used by upstream Pigweed to set some architecture-agnostic compiler defaults. (See Pigweed’s //BUILDCONFIG.gn)

pw_build also provides several useful GN templates that are used throughout Pigweed.

Build system philosophies#

Pigweed AI summary: The Pigweed GN build system strives to adhere to the principles of hermeticity, which involves eliminating build artifact differences caused by different tool versions or variations. To move towards this ideal, Pigweed's guidelines include only relying on pre-compiled tools provided by CIPD, not using absolute paths in Ninja commands, preventing produced artifacts from relying on or referencing system state, and isolating build actions to the build directory. These guidelines ensure that build commands are the same across different machines and make the concept

While Pigweed’s GN build is not hermetic, it strives to adhere to principles of hermeticity. Some guidelines to move towards the ideal of hermeticity include:

  • Only rely on pre-compiled tools provided by CIPD (or some other versioned, pre-compiled binary distribution mechanism). This eliminates build artifact differences caused by different tool versions or variations (e.g. same tool version built with slightly different compilation flags).

  • Do not use absolute paths in Ninja commands. Typically, these appear when using rebase_path("//path/to/my_script.py"). Most of the time, Ninja steps should be passed paths rebased relative to the build directory (i.e. rebase_path("//path/to/my_script.py", root_build_dir)). This ensures build commands are the same across different machines.

  • Prevent produced artifacts from relying on or referencing system state. This includes time stamps, writing absolute paths to generated artifacts, or producing artifacts that reference system state in a way that prevents them from working the same way on a different machine.

  • Isolate build actions to the build directory. In general, the build system should not add or modify files outside of the build directory. This can cause confusion to users, and makes the concept of a clean build more ambiguous.

Target types#

Pigweed AI summary: Pigweed provides wrappers for the four basic GN binary types: source_set, executable, static_library, and shared_library. These wrappers add default configurations and dependencies, optionally add link-time binding, apply a default visibility policy, and add source file names as metadata. The pw_executable template allows users to specify a global executable template for their target. The pw_* target type overrides accept any arguments supported by the underlying native types, and also support the remove_configs and remove_public_deps arguments.

import("$dir_pw_build/target_types.gni")

pw_source_set("my_library") {
  sources = [ "lib.cc" ]
}

Pigweed defines wrappers around the four basic GN binary types source_set, executable, static_library, and shared_library. These templates do several things:

  1. Add default configs/deps

    Rather than binding the majority of compiler flags related to C++ standard, cross-compilation, warning/error policy, etc. directly to toolchain invocations, these flags are applied as configs to all pw_* C/C++ target types. The primary motivations for this are to allow some targets to modify the default set of flags when needed by specifying remove_configs, and to reduce the complexity of building novel toolchains.

    Pigweed’s global default configs are set in pw_build/default.gni, and individual platform-specific toolchains extend the list by appending to the default_configs build argument.

    Default deps were added to support polyfill, which has since been deprecated. Default dependency functionality continues to exist for backwards compatibility.

  2. Optionally add link-time binding

    Some libraries like pw_assert and pw_log are borderline impossible to implement well without introducing circular dependencies. One solution for addressing this is to break apart the libraries into an interface with minimal dependencies, and an implementation with the bulk of the dependencies that would typically create dependency cycles. In order for the implementation to be linked in, it must be added to the dependency tree of linked artifacts (e.g. pw_executable, pw_static_library). Since there’s no way for the libraries themselves to just happily pull in the implementation if someone depends on the interface, the implementation is instead late-bound by adding it as a direct dependency of the final linked artifact. This is all managed through pw_build_LINK_DEPS, which is global for each toolchain and applied to every pw_executable, pw_static_library, and pw_shared_library.

  3. Apply a default visibility policy

    Projects can globally control the default visibility of pw_* target types by specifying pw_build_DEFAULT_VISIBILITY. This template applies that as the default visibility for any pw_* targets that do not explicitly specify a visibility.

  4. Add source file names as metadata

    All source file names are collected as GN metadata. This list can be writen to a file at build time using generated_file. The primary use case for this is to generate a token database containing all the source files. This allows PW_ASSERT to emit filename tokens even though it can’t add them to the elf file because of the reasons described at Assert API.

    Note

    pw_source_files, if not rebased will default to outputing module relative paths from a generated_file target. This is likely not useful. Adding a rebase argument to generated_file such as rebase = root_build_dir will result in usable paths. For an example, see //pw_tokenizer/database.gni’s pw_tokenizer_filename_database template.

The pw_executable template provides additional functionality around building complete binaries. As Pigweed is a collection of libraries, it does not know how its final targets are built. pw_executable solves this by letting each user of Pigweed specify a global executable template for their target, and have Pigweed build against it. This is controlled by the build variable pw_executable_config.target_type, specifying the name of the executable template for a project.

In some uncommon cases, a project’s pw_executable template definition may need to stamp out some pw_source_sets. Since a pw_executable template can’t import $dir_pw_build/target_types.gni due to circular imports, it should import $dir_pw_build/cc_library.gni instead.

Tip

Prefer to use pw_executable over plain executable targets to allow cleanly building the same code for multiple target configs.

Arguments#

Pigweed AI summary: The "pw_*" target type overrides accept any arguments supported by the underlying native types and forward them to the underlying target. In addition, there are two optional arguments: "remove_configs" which specifies a list of configs or config patterns to remove from the default configs, and "remove_public_deps" which specifies a list of targets to remove from the default public_deps.

All of the pw_* target type overrides accept any arguments supported by the underlying native types, as they simply forward them through to the underlying target.

Additionally, the following arguments are also supported:

  • remove_configs: (optional) A list of configs / config patterns to remove from the set of default configs specified by the current toolchain configuration.

  • remove_public_deps: (optional) A list of targets to remove from the set of default public_deps specified by the current toolchain configuration.

Third party libraries#

Pigweed AI summary: The Pigweed software includes build files for various third-party libraries, which are declared in a library.gni file and described in a BUILD.gn file. A Python script called generate_3p_gn.py can be used to add or update GN build files for libraries that only offer Bazel build files. To do this, a repo.json file must be created with fields for the project name, Bazel repositories, GN labels, and other configurations. The script is experimental and may not work for

Pigweed includes build files for a selection of third-party libraries. For a given library, these include:

  • third_party/<library>/library.gni: Declares build arguments like dir_pw_third_party_<library> that default to "" but can be set to the absolute path of the library in order to use it.

  • third_party/<library>/BUILD.gn: Describes how to build the library. This should import third_party/<library>/library.gni and refer to source paths relative to dir_pw_third_party_<library>.

To add or update GN build files for libraries that only offer Bazel build files, the Python script at pw_build/py/pw_build/generate_3p_gn.py may be used.

Note

The generate_3p_gn.py script is experimental, and may not work on an arbitrary Bazel library.

To generate or update the GN offered by Pigweed from an Bazel upstream project, first create a third_party/<library>/repo.json file. This file should describe a single JSON object, with the following fields:

  • name: String containg the project name.

    "name": "FuzzTest"
    
  • repos: Object mapping Bazel repositories to library names.

    "repos": { "com_google_absl": "abseil-cpp" }
    
  • aliases: Object mapping GN labels to other GN labels. In some cases, a third party library may have a dependency on another library already supported by Pigweed, but with a label that differs from what the script would generate. This field allows those labels to be rewritten.

    "aliases": {
      "$dir_pw_third_party/googletest:gtest": "$dir_pw_third_party/googletest"
    }
    
  • add: List of labels to existing GN configs. These will be added to every target in the library.

    "add": [ "$dir_pw_third_party/re2/configs:disabled_warnings" ]
    
  • remove: List of labels to default GN configs. These will be removed from every target.

    "remove" = [ "$dir_pw_fuzzer:instrumentation" ]
    
  • allow_testonly: Boolean indicating whether to generate GN for Bazel targets marked test-only. Defaults to false.

    "allow_testonly": true
    
  • no_gn_check: List of Bazel targets that violate gn check’s rules. Third-party targets that do not conform can be excluded.

    "no_gn_check": [ "//fuzztest:regexp_dfa" ]
    
  • extra_files: Object mapping additional files to create to Bazel targets that create them. These targets will be passed to bazel run and their output saved to the named file within third_party/<library>. For example:

    "extra_files": {
      "fuzztest.bazelrc": "@com_google_fuzztest//bazel:setup_configs"
    }
    

Python packages#

Pigweed AI summary: This paragraph describes the GN templates for Python build automation and provides a reference to the Python GN Templates. It also includes a compound with a toctree wrapper and a target reference.

GN templates for Python build automation are described in Python GN Templates.

pw_cc_blob_library#

Pigweed AI summary: The pw_cc_blob_library template is used to embed binary data into a program. It takes a mapping of symbol names to file paths and generates C++ source and header files that contain the binary data as arrays of std::byte. The generated byte arrays are constant initialized and can be accessed at any time, even before main(). The template is also available in the CMake build and is provided by pw_build/cc_blob_library.cmake. The template has several arguments, including blobs (a list of binary

The pw_cc_blob_library template is useful for embedding binary data into a program. The template takes in a mapping of symbol names to file paths, and generates a set of C++ source and header files that embed the contents of the passed-in files as arrays of std::byte.

The blob byte arrays are constant initialized and are safe to access at any time, including before main().

pw_cc_blob_library is also available in the CMake build. It is provided by pw_build/cc_blob_library.cmake.

Arguments#

Pigweed AI summary: The given paragraph provides a summary of the arguments and their descriptions for a specific programming task. It mentions that the "blobs" argument is a required field and includes details such as the list of GN scopes and the corresponding binary blobs. The "out_header" argument refers to the header file that needs to be generated, while the "namespace" argument is an optional C++ namespace to organize the generated blobs.

  • blobs: A list of GN scopes, where each scope corresponds to a binary blob to be transformed from file to byte array. This is a required field. Blob fields include:

    • symbol_name: The C++ symbol for the byte array.

    • file_path: The file path for the binary blob.

    • linker_section: If present, places the byte array in the specified linker section.

    • alignas: If present, uses the specified string or integer verbatim in the alignas() specifier for the byte array.

  • out_header: The header file to generate. Users will include this file exactly as it is written here to reference the byte arrays.

  • namespace: An optional (but highly recommended!) C++ namespace to place the generated blobs within.

Example#

Pigweed AI summary: The given text is a code snippet written in the BUILD.gn file format. It defines a pw_cc_blob_library target named "foo_bar_blobs" that includes two binary blobs, "kFooBlob" and "kBarBlob". The blobs are associated with specific file paths and linker sections. The target also specifies an output header file and a namespace. The code snippet also includes a note that advises listing the binary blobs as dependencies if they are generated during the build process. Additionally, the text

BUILD.gn

pw_cc_blob_library("foo_bar_blobs") {
  blobs: [
    {
      symbol_name: "kFooBlob"
      file_path: "${target_out_dir}/stuff/bin/foo.bin"
    },
    {
      symbol_name: "kBarBlob"
      file_path: "//stuff/bin/bar.bin"
      linker_section: ".bar_section"
    },
  ]
  out_header: "my/stuff/foo_bar_blobs.h"
  namespace: "my::stuff"
  deps = [ ":generate_foo_bin" ]
}

Note

If the binary blobs are generated as part of the build, be sure to list them as deps to the pw_cc_blob_library target.

Generated Header

#pragma once

#include <array>
#include <cstddef>

namespace my::stuff {

extern const std::array<std::byte, 100> kFooBlob;

extern const std::array<std::byte, 50> kBarBlob;

}  // namespace my::stuff

Generated Source

#include "my/stuff/foo_bar_blobs.h"

#include <array>
#include <cstddef>

#include "pw_preprocessor/compiler.h"

namespace my::stuff {

const std::array<std::byte, 100> kFooBlob = { ... };

PW_PLACE_IN_SECTION(".bar_section")
const std::array<std::byte, 50> kBarBlob = { ... };

}  // namespace my::stuff

pw_facade#

Pigweed AI summary: A facade is a GN build arg used to change a dependency at compile time. Pigweed targets configure these facades as needed. The pw_facade template bundles a pw_source_set with a facade build arg, allowing the facade to provide header files, compilation options, or anything else a GN source_set provides. The pw_facade template declares two targets: $target_name, the public-facing pw_source_set, with a public_dep on the backend, and $target_name.facade, a target used

In their simplest form, a facade is a GN build arg used to change a dependency at compile time. Pigweed targets configure these facades as needed.

The pw_facade template bundles a pw_source_set with a facade build arg. This allows the facade to provide header files, compilation options or anything else a GN source_set provides.

The pw_facade template declares two targets:

  • $target_name: the public-facing pw_source_set, with a public_dep on the backend

  • $target_name.facade: target used by the backend to avoid circular dependencies

# Declares ":foo" and ":foo.facade" GN targets
pw_facade("foo") {
  backend = pw_log_BACKEND
  public_configs = [ ":public_include_path" ]
  public = [ "public/pw_foo/foo.h" ]
}

Low-level facades like pw_assert cannot express all of their dependencies due to the potential for dependency cycles. Facades with this issue may require backends to place their implementations in a separate build target to be listed in pw_build_LINK_DEPS (see Link-only deps). The require_link_deps variable in pw_facade asserts that all specified build targets are present in pw_build_LINK_DEPS if the facade’s backend variable is set.

pw_python_action#

Pigweed AI summary: The "pw_python_action" template is a wrapper around GN's action function for running Python scripts. It allows Python scripts to be written independently of GN by resolving GN target labels to compiled binary files. The template also allows running scripts without any outputs by creating a placeholder output file. It has additional arguments such as "module" to run a specified Python module instead of a script, "capture_output" to hide script output unless there is an error, "stamp" to automatically create a placeholder output file

See also

The pw_python_action template is a convenience wrapper around GN’s action function for running Python scripts. The main benefit it provides is resolution of GN target labels to compiled binary files. This allows Python scripts to be written independently of GN, taking only filesystem paths as arguments.

Another convenience provided by the template is to allow running scripts without any outputs. Sometimes scripts run in a build do not directly produce output files, but GN requires that all actions have an output. pw_python_action solves this by accepting a boolean stamp argument which tells it to create a placeholder output file for the action.

Arguments#

Pigweed AI summary: The "pw_python_action" function accepts all the arguments of a regular "action" target. In addition, it has some of its own arguments, including "module" which allows running a specified Python module instead of a script, "capture_output" which hides script output unless there is an error, "stamp" which creates a placeholder output file for the script, "environment" which sets environment variables, "working_directory" which sets the current working directory before running the module or script, "command

pw_python_action accepts all of the arguments of a regular action target. Additionally, it has some of its own arguments:

  • module: Run the specified Python module instead of a script. Either script or module must be specified, but not both.

  • capture_output: Optional boolean. If true, script output is hidden unless the script fails with an error. Defaults to true.

  • stamp: Optional variable indicating whether to automatically create a placeholder output file for the script. This allows running scripts without specifying outputs. If stamp is true, a generic output file is used. If stamp is a file path, that file is used as a stamp file. Like any output file, stamp must be in the build directory. Defaults to false.

  • environment: Optional list of strings. Environment variables to set, passed as NAME=VALUE strings.

  • working_directory: Optional file path. When provided the current working directory will be set to this location before the Python module or script is run.

  • command_launcher: Optional string. Arguments to prepend to the Python command, e.g. '/usr/bin/fakeroot --' will run the Python script within a fakeroot environment.

  • venv: Optional gn target of the pw_python_venv that should be used to run this action.

  • python_deps: Extra dependencies that are required for running the Python script for the action. This must be used with module to specify the build dependency of the module if it is user-defined code.

  • python_metadata_deps: Extra dependencies that are ensured completed before generating a Python package metadata manifest, not the overall Python script action. This should rarely be used by non-Pigweed code.

pw_test_info#

pw_test_info generates metadata describing tests. To produce a JSON file containing this metadata:

  1. For new modules, add a pw_test_group template to the BUILD.gn file. All modules are required to have a tests target.

  2. Include one or more tests or test groups via tests or group_deps, respectively, in the pw_test_group.

  3. Set output_metadata to true in the pw_test_group definition.

This template does not typically need to be used directly, unless adding new types of tests. It is typically used by other templates, such as the pw_test template and the pw_test_group template.

Arguments#

Pigweed AI summary: The paragraph provides a summary of the arguments and additional details for specific test templates. The arguments include "test_type", "test_name", "build_label", and "extra_metadata". The specific test templates, such as "pw_test" and "pw_test_group", have additional details like the "test_directory" and "deps" respectively.

  • test_type: One of “test_group” or “unit_test”.

  • test_name: Name of the test. Defaults to the target name.

  • build_label: GN label for the test. Defaults to the test name.

  • extra_metadata: Additional variables to add to the metadata.

Specific test templates add additional details using extra_metadata. For example:

Example#

Pigweed AI summary: The given text is a code snippet that shows an example of a configuration file called `BUILD.gn`. It imports a test file and defines a test group and a test. Another code snippet is shown that imports the same test file and defines a test group and a dependency. The paragraph then explains that running the command `gn gen out` will generate a JSON file with specific information about the tests. The JSON file contains details such as the build label, test directory, test name, and test type

Let //my_module/BUILD.gn contain the following:

 import("$dir_pw_unit_test/test.gni")

 pw_test("my_unit_test") {
   sources = [ ... ]
   deps = [ ... ]
 }

 pw_test_group("tests") {
   tests = [ ":my_unit_test" ]
 }


Let `//BUILD.gn`` contain the following:
import("$dir_pw_unit_test/test.gni")

group("run_tests") {
  deps = [ ":my_module_tests(//targets/my_targets:my_toolchain)" ]
}

pw_test_group("my_module_tests") {
  group_deps = [ "//my_module:tests" ]
  output_metadata = true
}

Then running gn gen out will produce the following JSON file at out/my_toolchain/my_module_tests.testinfo.json:

[
  {
    "build_label": "//my_module:my_unit_test",
    "test_directory": "my_toolchain/obj/my_module/test",
    "test_name": "my_unit_test",
    "test_type": "unit_test"
  },
  {
    "build_label": "//my_module:tests",
    "deps": [
      "//my_module:my_unit_test",
    ],
    "test_name": "my_module/tests",
    "test_type": "test_group"
  },
  {
    "build_label": "//:my_module_tests",
    "deps": [
      "//my_module:tests",
    ],
    "test_name": "my_module_tests",
    "test_type": "test_group"
  }
]

Expressions#

pw_python_action evaluates expressions in args, the arguments passed to the script. These expressions function similarly to generator expressions in CMake. Expressions may be passed as a standalone argument or as part of another argument. A single argument may contain multiple expressions.

Generally, these expressions are used within templates rather than directly in BUILD.gn files. This allows build code to use GN labels without having to worry about converting them to files.

Note

We intend to replace these expressions with native GN features when possible. See b/234886742.

The following expressions are supported:

<TARGET_FILE(gn_target)>

Evaluates to the output file of the provided GN target. For example, the expression

"<TARGET_FILE(//foo/bar:static_lib)>"

might expand to

"/home/User/project_root/out/obj/foo/bar/static_lib.a"

TARGET_FILE parses the .ninja file for the GN target, so it should always find the correct output file, regardless of the toolchain’s or target’s configuration. Some targets, such as source_set and group targets, do not have an output file, and attempting to use TARGET_FILE with them results in an error.

TARGET_FILE only resolves GN target labels to their outputs. To resolve paths generally, use the standard GN approach of applying the rebase_path(path, root_build_dir) function. This function converts the provided GN path or list of paths to be relative to the build directory, from which all build commands and scripts are executed.

<TARGET_FILE_IF_EXISTS(gn_target)>

TARGET_FILE_IF_EXISTS evaluates to the output file of the provided GN target, if the output file exists. If the output file does not exist, the entire argument that includes this expression is omitted, even if there is other text or another expression.

For example, consider this expression:

"--database=<TARGET_FILE_IF_EXISTS(//alpha/bravo)>"

If the //alpha/bravo target file exists, this might expand to the following:

"--database=/home/User/project/out/obj/alpha/bravo/bravo.elf"

If the //alpha/bravo target file does not exist, the entire --database= argument is omitted from the script arguments.

<TARGET_OBJECTS(gn_target)>

Evaluates to the object files of the provided GN target. Expands to a separate argument for each object file. If the target has no object files, the argument is omitted entirely. Because it does not expand to a single expression, the <TARGET_OBJECTS(...)> expression may not have leading or trailing text.

For example, the expression

"<TARGET_OBJECTS(//foo/bar:a_source_set)>"

might expand to multiple separate arguments:

"/home/User/project_root/out/obj/foo/bar/a_source_set.file_a.cc.o"
"/home/User/project_root/out/obj/foo/bar/a_source_set.file_b.cc.o"
"/home/User/project_root/out/obj/foo/bar/a_source_set.file_c.cc.o"

Example#

Pigweed AI summary: The given text is a code snippet written in a programming language. It appears to be importing a module and defining a function called "pw_python_action". The function takes a script file and a list of arguments as parameters. The script file is specified as "py/postprocess_binary.py" and the arguments include a database file path and a binary file path. The code also includes a "stamp" variable set to true. The purpose or context of this code is not provided.

import("$dir_pw_build/python_action.gni")

pw_python_action("postprocess_main_image") {
  script = "py/postprocess_binary.py"
  args = [
    "--database",
    rebase_path("my/database.csv", root_build_dir),
    "--binary=<TARGET_FILE(//firmware/images:main)>",
  ]
  stamp = true
}

pw_evaluate_path_expressions#

Pigweed AI summary: The "pw_evaluate_path_expressions" module is used to resolve target expressions within input files and modify them in-place. This is useful when passing a large amount of input data to a script through a file instead of command line arguments. The module is typically used as an intermediate sub-target of a larger template. It takes a list of input files, each containing a source file to process and a destination file to write the result. The module can be used to resolve paths of object files in an

It is not always feasible to pass information to a script through command line arguments. If a script requires a large amount of input data, writing to a file is often more convenient. However, doing so bypasses pw_python_action’s GN target label resolution, preventing such scripts from working with build artifacts in a build system-agnostic manner.

pw_evaluate_path_expressions is designed to address this use case. It takes a list of input files and resolves target expressions within them, modifying the files in-place.

Refer to pw_python_action’s Expressions section for the list of supported expressions.

Note

pw_evaluate_path_expressions is typically used as an intermediate sub-target of a larger template, rather than a standalone build target.

Arguments#

Pigweed AI summary: The paragraph states that the "arguments" section contains a list of scopes, each consisting of a source file and a destination file. These files are used for processing and writing the result.

  • files: A list of scopes, each containing a source file to process and a dest file to which to write the result.

Example#

Pigweed AI summary: This paragraph describes a template that defines an executable target. The template includes a list of object files from which it was compiled, and it uses the "pw_evaluate_path_expressions" function to resolve their paths. The template also includes code for writing the list of artifacts to a JSON file and creating a group for the target.

The following template defines an executable target which additionally outputs the list of object files from which it was compiled, making use of pw_evaluate_path_expressions to resolve their paths.

import("$dir_pw_build/evaluate_path_expressions.gni")

template("executable_with_artifacts") {
  executable("${target_name}.exe") {
    sources = invoker.sources
    if defined(invoker.deps) {
      deps = invoker.deps
    }
  }

  _artifacts_input = "$target_gen_dir/${target_name}_artifacts.json.in"
  _artifacts_output = "$target_gen_dir/${target_name}_artifacts.json"
  _artifacts = {
    binary = "<TARGET_FILE(:${target_name}.exe)>"
    objects = "<TARGET_OBJECTS(:${target_name}.exe)>"
  }
  write_file(_artifacts_input, _artifacts, "json")

  pw_evaluate_path_expressions("${target_name}.evaluate") {
    files = [
      {
        source = _artifacts_input
        dest = _artifacts_output
      },
    ]
  }

  group(target_name) {
    deps = [
      ":${target_name}.exe",
      ":${target_name}.evaluate",
    ]
  }
}

pw_exec#

Pigweed AI summary: The "pw_exec" module allows for the execution of arbitrary programs. It is a wrapper around "pw_python_action" but allows for specifying the program to execute. It is recommended to use "pw_python_action" instead of calling out to shell scripts, as Python is more portable. "pw_exec" should generally only be used for interacting with legacy or existing scripts. The module provides various arguments such as the program to run, optional arguments, dependencies, inputs, outputs, environment variables, and more

pw_exec allows for execution of arbitrary programs. It is a wrapper around pw_python_action but allows for specifying the program to execute.

Note

Prefer to use pw_python_action instead of calling out to shell scripts, as the Python will be more portable. pw_exec should generally only be used for interacting with legacy/existing scripts.

Arguments#

Pigweed AI summary: This paragraph provides a summary of the arguments that can be used in a program. It includes the program to run, optional arguments, dependencies, public dependencies, build inputs, artifacts produced, environment variables, environment file, arguments file, skipping empty arguments, capturing output, working directory, Python virtualenv, and GN visibility.

  • program: The program to run. Can be a full path or just a name (in which case $PATH is searched).

  • args: Optional list of arguments to the program.

  • deps: Dependencies for this target.

  • public_deps: Public dependencies for this target. In addition to outputs from this target, outputs generated by public dependencies can be used as inputs from targets that depend on this one. This is not the case for private deps.

  • inputs: Optional list of build inputs to the program.

  • outputs: Optional list of artifacts produced by the program’s execution.

  • env: Optional list of key-value pairs defining environment variables for the program.

  • env_file: Optional path to a file containing a list of newline-separated key-value pairs defining environment variables for the program.

  • args_file: Optional path to a file containing additional positional arguments to the program. Each line of the file is appended to the invocation. Useful for specifying arguments from GN metadata.

  • skip_empty_args: If args_file is provided, boolean indicating whether to skip running the program if the file is empty. Used to avoid running commands which error when called without arguments.

  • capture_output: If true, output from the program is hidden unless the program exits with an error. Defaults to true.

  • working_directory: The working directory to execute the subprocess with. If not specified it will not be set and the subprocess will have whatever the parent current working directory is.

  • venv: Python virtualenv to pass along to the underlying pw_python_action.

  • visibility: GN visibility to apply to the underlying target.

Example#

Pigweed AI summary: The given text is a code snippet written in a programming language. It imports a file and then executes a program called "hello_world" using the "/bin/sh" shell. The program's purpose is to print the message "hello world" to the console. It achieves this by using the "echo" command and a variable called "WORLD" which is set to "world" in the environment.

import("$dir_pw_build/exec.gni")

pw_exec("hello_world") {
  program = "/bin/sh"
  args = [
    "-c",
    "echo hello \$WORLD",
  ]
  env = [
    "WORLD=world",
  ]
}

pw_input_group#

Pigweed AI summary: The "pw_input_group" is a feature that allows a group of input files to be listed in a target without outputting any build artifacts. This is useful for propagating file dependencies and forcing rebuilds on file modifications. It solves the problem of targets depending on metadata files that do not trigger a rebuild when the input files are modified. The "pw_input_group" accepts all arguments that can be passed to a "group" target and requires an additional argument called "inputs" which is a list

pw_input_group defines a group of input files which are not directly processed by the build but are still important dependencies of later build steps. This is commonly used alongside metadata to propagate file dependencies through the build graph and force rebuilds on file modifications.

For example pw_docgen defines a pw_doc_group template which outputs metadata from a list of input files. The metadata file is not actually part of the build, and so changes to any of the input files do not trigger a rebuild. This is problematic, as targets that depend on the metadata should rebuild when the inputs are modified but GN cannot express this dependency.

pw_input_group solves this problem by allowing a list of files to be listed in a target that does not output any build artifacts, causing all dependent targets to correctly rebuild.

Arguments#

Pigweed AI summary: The "pw_input_group" function accepts all arguments that can be passed to a "group" target, and it also requires an additional argument called "inputs", which is a list of input files.

pw_input_group accepts all arguments that can be passed to a group target, as well as requiring one extra:

  • inputs: List of input files.

Example#

Pigweed AI summary: The given paragraph is a code snippet written in a programming language. It imports a file called "input_group.gni" and defines a function called "pw_input_group" with a parameter "foo_metadata". Inside the function, there is a metadata object that contains a list of files. The function assigns the list of files to the "inputs" variable. The paragraph states that any targets depending on "foo_metadata" will be rebuilt whenever any of the ".foo" files are modified.

import("$dir_pw_build/input_group.gni")

pw_input_group("foo_metadata") {
  metadata = {
    files = [
      "x.foo",
      "y.foo",
      "z.foo",
    ]
  }
  inputs = metadata.files
}

Targets depending on foo_metadata will rebuild when any of the .foo files are modified.

pw_zip#

Pigweed AI summary: The "pw_zip" target allows users to zip up a set of input files and directories into a single output ".zip" file. It automates the task of creating a zip file and can be used to simplify repetitive tasks. The target takes several arguments, including "inputs" which is a list of source files and their desired relative zip destination, "dirs" which is a list of entire directories to be zipped, "output" which is the filename of the output zip file, and "

pw_zip is a target that allows users to zip up a set of input files and directories into a single output .zip file—a simple automation of a potentially repetitive task.

Arguments#

Pigweed AI summary: The paragraph provides a summary of the arguments for a specific task. The arguments include "inputs" which is a list of source files and the desired zip destination, "dirs" which is a list of entire directories to be zipped and the desired zip destination, "output" which is the filename of the output zip file, and "deps" which is a list of dependencies for the target.

  • inputs: List of source files as well as the desired relative zip destination. See below for the input syntax.

  • dirs: List of entire directories to be zipped as well as the desired relative zip destination. See below for the input syntax.

  • output: Filename of output .zip file.

  • deps: List of dependencies for the target.

Input Syntax#

Pigweed AI summary: The input syntax for this task requires the following elements: the path to the source file or directory, the delimiter (which defaults to ">"), and the desired destination of the contents within the .zip file. The destination must start with "/" to indicate the zip root, and can include any number of subdirectories. If the source is a file, it can be placed in any subdirectory of the root, and the zip copy can be renamed by adding a filename at the end of the destination. The

Inputs all need to follow the correct syntax:

  1. Path to source file or directory. Directories must end with a /.

  2. The delimiter (defaults to >).

  3. The desired destination of the contents within the .zip. Must start with / to indicate the zip root. Any number of subdirectories are allowed. If the source is a file it can be put into any subdirectory of the root. If the source is a file, the zip copy can also be renamed by ending the zip destination with a filename (no trailing /).

Thus, it should look like the following: "[source file or dir] > /".

Example#

Pigweed AI summary: The given example demonstrates the structure of a source directory and the creation of a build target. The source directory contains several files and subdirectories. The build target specifies the inputs and directories to be included in a zip file. The output of the build target is a zip file named "foo.zip" stored in the specified target output directory. The resulting zip file has a structure that mirrors the source directory, with some files renamed or moved to different directories.

Let’s say we have the following structure for a //source/ directory:

source/
├── file1.txt
├── file2.txt
├── file3.txt
└── some_dir/
    ├── file4.txt
    └── some_other_dir/
        └── file5.txt

And we create the following build target:

import("$dir_pw_build/zip.gni")

pw_zip("target_name") {
  inputs = [
    "//source/file1.txt > /",             # Copied to the zip root dir.
    "//source/file2.txt > /renamed.txt",  # File renamed.
    "//source/file3.txt > /bar/",         # File moved to the /bar/ dir.
  ]

  dirs = [
    "//source/some_dir/ > /bar/some_dir/",  # All /some_dir/ contents copied
                                            # as /bar/some_dir/.
  ]

  # Note on output: if the specific output directory isn't defined
  # (such as output = "zoo.zip") then the .zip will output to the
  # same directory as the BUILD.gn file that called the target.
  output = "//$target_out_dir/foo.zip"  # Where the foo.zip will end up
}

This will result in a .zip file called foo.zip stored in //$target_out_dir with the following structure:

foo.zip
├── bar/
│   ├── file3.txt
│   └── some_dir/
│       ├── file4.txt
│       └── some_other_dir/
│           └── file5.txt
├── file1.txt
└── renamed.txt

pw_relative_source_file_names#

Pigweed AI summary: The "pw_relative_source_file_names" template is used to collect the names of all the headers and source files required by the listed dependencies. It transforms these file names to reflect the "__FILE__" when the "relative_paths" configuration of pw_build is applied. The template produces a JSON file containing an array of strings (file paths with transformations applied) that can be used to generate a token database. The template requires two arguments: "deps" (a list of targets to extract file names from

This template recursively walks the listed dependencies and collects the names of all the headers and source files required by the targets, and then transforms them such that they reflect the __FILE__ when pw_build’s relative_paths config is applied. This is primarily intended for side-band generation of pw_tokenizer tokens so file name tokens can be utilized in places where pw_tokenizer is unable to embed token information as part of C/C++ compilation.

This template produces a JSON file containing an array of strings (file paths with -ffile-prefix-map-like transformations applied) that can be used to generate a token database.

Arguments#

Pigweed AI summary: The paragraph summarizes the arguments required for a task. The "deps" argument is a list of targets from which file names need to be extracted recursively. The "outputs" argument is an array with a single element, which is the path to write the final JSON file to.

  • deps: A required list of targets to recursively extract file names from.

  • outputs: A required array with a single element: the path to write the final JSON file to.

Example#

Pigweed AI summary: This paragraph describes a project structure with multiple directories and files. It also includes a BUILD.gn file that specifies the dependencies and source files for each component of the project. The paragraph explains that a json file is generated, which contains a list of the source files that are included in the project. It also mentions that the file paths in the example are relative to the project root.

Let’s say we have the following project structure:

project root
├── foo/
│   ├── foo.h
│   └── foo.cc
├── bar/
│   ├── bar.h
│   └── bar.cc
├── unused/
│   ├── unused.h
│   └── unused.cc
└── main.cc

And a BUILD.gn at the root:

pw_source_set("bar") {
  public_configs = [ ":bar_headers" ]
  public = [ "bar/bar.h" ]
  sources = [ "bar/bar.cc" ]
}

pw_source_set("foo") {
  public_configs = [ ":foo_headers" ]
  public = [ "foo/foo.h" ]
  sources = [ "foo/foo.cc" ]
  deps = [ ":bar" ]
}


pw_source_set("unused") {
  public_configs = [ ":unused_headers" ]
  public = [ "unused/unused.h" ]
  sources = [ "unused/unused.cc" ]
  deps = [ ":bar" ]
}

pw_executable("main") {
  sources = [ "main.cc" ]
  deps = [ ":foo" ]
}

pw_relative_source_file_names("main_source_files") {
  deps = [ ":main" ]
  outputs = [ "$target_gen_dir/main_source_files.json" ]
}

The json file written to out/gen/main_source_files.json will contain:

[
  "bar/bar.cc",
  "bar/bar.h",
  "foo/foo.cc",
  "foo/foo.h",
  "main.cc"
]

Since unused isn’t a transitive dependency of main, its source files are not included. Similarly, even though bar is not a direct dependency of main, its source files are included because foo brings in bar as a transitive dependency.

Note how the file paths in this example are relative to the project root rather than being absolute paths (e.g. /home/user/ralph/coding/my_proj/main.cc). This is a result of transformations applied to strip absolute pathing prefixes, matching the behavior of pw_build’s $dir_pw_build:relative_paths config.

Build time errors: pw_error and pw_build_assert#

Pigweed AI summary: Pigweed's GN build is complex and multi-toolchain, making it impossible to build every target in every configuration. The use of GN's assert statement is not ideal for enforcing the correct configuration as it may prevent the GN build files or targets from being referred to at all. The pw_error GN template results in an error if executed during the build, while pw_build_assert evaluates to a pw_error if a condition fails or nothing if the condition passes. Targets can add a dependency on pw_build_assert

In Pigweed’s complex, multi-toolchain GN build it is not possible to build every target in every configuration. GN’s assert statement is not ideal for enforcing the correct configuration because it may prevent the GN build files or targets from being referred to at all, even if they aren’t used.

The pw_error GN template results in an error if it is executed during the build. These error targets can exist in the build graph, but cannot be depended on without an error.

pw_build_assert evaluates to a pw_error if a condition fails or nothing (an empty group) if the condition passes. Targets can add a dependency on a pw_build_assert to enforce a condition at build time.

The templates for build time errors are defined in pw_build/error.gni.

Generate code coverage reports: pw_coverage_report#

Pigweed AI summary: Pigweed supports generating code coverage reports for C/C++ code using the pw_coverage_report GN template. There are two caveats when enabled: coverage reports are only populated based on host tests that use the clang toolchain, and coverage reports will only show coverage information for headers included in a test binary. This means that device-specific code that cannot be compiled for and run on the host will not have reports generated for them. To generate meaningful output with pw_coverage_report, it must be invoked by a

Pigweed supports generating coverage reports, in a variety of formats, for C/C++ code using the pw_coverage_report GN template.

Coverage Caveats#

Pigweed AI summary: The code coverage feature has two caveats: it only works with tests that use the clang toolchain and it only shows coverage information for headers included in a test binary. This means that device-specific code that cannot be compiled for the host and files that are not included in a test binary will not have coverage reports generated for them. It is recommended to write code that can be compiled into a host test for coverage reporting, but this may not always be possible due to hardware-specific APIs.

There are currently two code coverage caveats when enabled:

  1. Coverage reports are only populated based on host tests that use a clang toolchain.

  2. Coverage reports will only show coverage information for headers included in a test binary.

These two caveats mean that all device-specific code that cannot be compiled for and run on the host will not be able to have reports generated for them, and that the existence of these files will not appear in any coverage report.

Try to ensure that your code can be written in a way that it can be compiled into a host test for the purpose of coverage reporting, although this is sometimes impossible due to requiring hardware-specific APIs to be available.

Coverage Instrumentation#

Pigweed AI summary: To generate meaningful output with the pw_coverage_report tool, tests must be instrumented for code coverage collection and output. This is controlled by two GN build arguments: pw_toolchain_COVERAGE_ENABLED and pw_toolchain_PROFILE_SOURCE_FILES. It is also possible to instrument binaries for UBSAN, ASAN, or TSAN at the same time as coverage, but TSAN may find issues in the coverage instrumentation code and fail to build properly. The host_clang_coverage toolchain provided in pw_toolchain

For the pw_coverage_report to generate meaningful output, you must ensure that it is invoked by a toolchain that instruments tests for code coverage collection and output.

Instrumentation is controlled by two GN build arguments:

  • pw_toolchain_COVERAGE_ENABLED being set to true.

  • pw_toolchain_PROFILE_SOURCE_FILES is an optional argument that provides a list of source files to selectively collect coverage.

Note

It is possible to also instrument binaries for UBSAN, ASAN, or TSAN at the same time as coverage. However, TSAN will find issues in the coverage instrumentation code and fail to properly build.

This can most easily be done by using the host_clang_coverage toolchain provided in pw_toolchain, but you can also create custom toolchains that manually set these GN build arguments as well.

pw_coverage_report#

Pigweed AI summary: The "pw_coverage_report" is a GN frontend to the "llvm-cov" tool that can be integrated into the normal build. It provides different report formats such as text, html, lcov, and json. The "text" format is suitable for human interpretation, while the other formats are more suitable for machine manipulation. There are three classes of template arguments: build, coverage, and test. The "build" arguments include options for enabling coverage report generation and specifying the failure mode. The

pw_coverage_report is basically a GN frontend to the llvm-cov tool that can be integrated into the normal build.

It can be found at pw_build/coverage_report.gni and is available through import("$dir_pw_build/coverage_report.gni").

The supported report formats are:

  • text: A text representation of the code coverage report. This format is not suitable for further machine manipulation and is instead only useful for cases where a human needs to interpret the report. The text format provides a nice summary, but if you desire to drill down into the coverage details more, please consider using html instead.

    • This is equivalent to llvm-cov show --format text and similar to llvm-cov report.

  • html: A static HTML site that provides an overall coverage summary and per-file information. This format is not suitable for further machine manipulation and is instead only useful for cases where a human needs to interpret the report.

    • This is equivalent to llvm-cov show --format html.

  • lcov: A machine-friendly coverage report format. This format is not human- friendly. If that is necessary, use text or html instead.

    • This is equivalent to llvm-cov export --format lcov.

  • json: A machine-friendly coverage report format. This format is not human- friendly. If that is necessary, use text or html instead.

    • This is equivalent to llvm-cov export --format json.

Arguments#

Pigweed AI summary: There are three classes of template arguments: build, coverage, and test. Build arguments include "enable_if" which conditionally activates coverage report generation, and "failure_mode" which specifies the failure mode for merging profraw files. Coverage arguments include "filter_paths" which lists file paths to include in the coverage report, and "ignore_filename_patterns" which lists file path regular expressions to ignore. Test arguments require either a list of pw_test targets or a list of pw_test_group targets. The "

There are three classes of template arguments: build, coverage, and test.

Build Arguments:

  • enable_if (optional): Conditionally activates coverage report generation when set to a boolean expression that evaluates to true. This can be used to allow project builds to conditionally enable or disable coverage reports to minimize work needed for certain build configurations.

  • failure_mode (optional/unstable): Specify the failure mode for llvm-profdata (used to merge inidividual profraw files from pw_test runs). Available options are "any" (default) or "all".

    • This should be considered an unstable/deprecated argument that should only be used as a last resort to get a build working again. Using failure_mode = "all" usually indicates that there are underlying problems in the build or test infrastructure that should be independently resolved. Please reach out to the Pigweed team for assistance.

Coverage Arguments:

  • filter_paths (optional): List of file paths to include when generating the coverage report. These cannot be regular expressions, but can be concrete file or folder paths. Folder paths will allow all files in that directory or any recursive child directory.

    • These are passed to llvm-cov by the optional trailing positional [SOURCES] arguments.

  • ignore_filename_patterns (optional): List of file path regular expressions to ignore when generating the coverage report.

    • These are passed to llvm-cov via --ignore-filename-regex named parameters.

Test Arguments (one of these is required to be provided):

  • tests: A list of pw_test targets.

  • group_deps: A list of pw_test_group targets.

Note

tests and group_deps are treated exactly the same by pw_coverage_report, so it is not that important to ensure they are used properly.

Target Expansion#

Pigweed AI summary: The "pw_coverage_report" function generates concrete targets for different report formats, including text, HTML, LCOV, and JSON. These targets can be used by adding a dependency on the desired format-specific target in the build. Additionally, a "group" target is generated that adds a dependency on all format-specific targets. These targets are always available, even if coverage is not supported or enabled, and are set to empty groups in those cases.

pw_coverage_report(<target_name>) expands to one concrete target for each report format.

  • <target_name>.text: Generates the text coverage report.

  • <target_name>.html: Generates the html coverage report.

  • <target_name>.lcov: Generates the lcov coverage report.

  • <target_name>.json: Generates the json coverage report.

To use any of these targets, you need only to add a dependency on the desired target somewhere in your build.

There is also a <target_name> target generated that is a group that adds a dependency on all of the format-specific targets listed above.

Note

These targets are always available, even when the toolchain executing the target does not support coverage or coverage is not enabled. In these cases, the targets are set to empty groups.

Coverage Output#

Pigweed AI summary: Coverage reports are generated and stored in the build output directory with a subfolder named after the target name and report type. Moving these reports to another output location is not straightforward due to limitations with GN's built-in copy, but it may be possible to use a Python target to copy the entire output directory.

Coverage reports are currently generated and placed into the build output directory associated with the path to the GN file where the pw_coverage_report is used in a subfolder named <target_name>.<report_type>.

Note

Due to limitations with telling GN the entire output of coverage reports (stemming from per-source-file generation for HTML and text representations), it is not as simple as using GN’s built-in copy to be able to move these coverage reports to another output location. However, it seems possible to add a target that can use Python to copy the entire output directory.

Improved Ninja interface#

Pigweed AI summary: The article discusses the improved Ninja interface, which includes a basic progress display showing the number of targets finished, the total number of targets, and the name of the most recent target. The article also mentions the Ninja wrapper, pw-wrap-ninja, which provides additional real-time information about the progress of the build, including a list of targets currently being built and a timer measuring how long each target has been building. The wrapper also includes the option to write a build trace to a specified path, which can

Ninja includes a basic progress display, showing in a single line the number of targets finished, the total number of targets, and the name of the most recent target it has either started or finished.

For additional insight into the status of the build, Pigweed includes a Ninja wrapper, pw-wrap-ninja, that displays additional real-time information about the progress of the build. The wrapper is invoked the same way you’d normally invoke Ninja:

pw-wrap-ninja -C out

The script lists the progress of the build, as well as the list of targets that Ninja is currently building, along with a timer that measures how long each target has been building for:

[51.3s] Building [8924/10690] ...
  [10.4s] c++ pw_strict_host_clang_debug/obj/pw_string/string_test.lib.string_test.cc.o
  [ 9.5s] ACTION //pw_console/py:py.lint.mypy(//pw_build/python_toolchain:python)
  [ 9.4s] ACTION //pw_console/py:py.lint.pylint(//pw_build/python_toolchain:python)
  [ 6.1s] clang-tidy ../pw_log_rpc/log_service.cc
  [ 6.1s] clang-tidy ../pw_log_rpc/log_service_test.cc
  [ 6.1s] clang-tidy ../pw_log_rpc/rpc_log_drain.cc
  [ 6.1s] clang-tidy ../pw_log_rpc/rpc_log_drain_test.cc
  [ 5.4s] c++ pw_strict_host_clang_debug/obj/BUILD_DIR/pw_strict_host_clang_debug/gen/pw...
  ... and 109 more

This allows you to, at a glance, know what Ninja’s currently building, which targets are bottlenecking the rest of the build, and which targets are taking an unusually long time to complete.

pw-wrap-ninja includes other useful functionality as well. The --write-trace option writes a build trace to the specified path, which can be viewed in the Perfetto UI, or via Chrome’s built-in chrome://tracing tool.

CMake#

Pigweed AI summary: Pigweed's CMake support is primarily for projects that already use CMake and want to integrate Pigweed without changing their build system. To generate Ninja build files for a host build, the command "cmake -B out/cmake_host -S $PW_ROOT -G Ninja -DCMAKE_TOOLCHAIN_FILE=$PW_ROOT/pw_toolchain/host_clang/toolchain.cmake" is used, where $PW_ROOT is the root directory of the Pigweed project. Tests can be executed using

Pigweed’s CMake support is provided primarily for projects that have an existing CMake build and wish to integrate Pigweed without switching to a new build system.

The following command generates Ninja build files for a host build in the out/cmake_host directory:

cmake -B out/cmake_host -S "$PW_ROOT" -G Ninja -DCMAKE_TOOLCHAIN_FILE=$PW_ROOT/pw_toolchain/host_clang/toolchain.cmake

The PW_ROOT environment variable must point to the root of the Pigweed directory. This variable is set by Pigweed’s environment setup.

Tests can be executed with the pw_run_tests.GROUP targets. To run Pigweed module tests, execute pw_run_tests.modules:

ninja -C out/cmake_host pw_run_tests.modules

pw_watch supports CMake, so you can also run

pw watch -C out/cmake_host pw_run_tests.modules

CMake functions#

Pigweed AI summary: This article discusses CMake convenience functions that are defined in pw_build/pigweed.cmake. These functions include pw_add_library_generic, pw_add_library, pw_add_facade_generic, pw_add_facade, pw_set_backend, pw_add_test_generic, pw_add_test, pw_add_test_group, pw_target_link_targets, pw_add_global_compile_options, pw_add_error_target, and pw_parse_arguments. The article provides a brief description of each function and directs readers to the complete documentation in pw_build

CMake convenience functions are defined in pw_build/pigweed.cmake.

  • pw_add_library_generic – The base helper used to instantiate CMake libraries. This is meant for use in downstream projects as upstream Pigweed modules are expected to use pw_add_library.

  • pw_add_library – Add an upstream Pigweed library.

  • pw_add_facade_generic – The base helper used to instantiate facade libraries. This is meant for use in downstream projects as upstream Pigweed modules are expected to use pw_add_facade.

  • pw_add_facade – Declare an upstream Pigweed facade.

  • pw_set_backend – Set the backend library to use for a facade.

  • pw_add_test_generic – The base helper used to instantiate test targets. This is meant for use in downstrema projects as upstream Pigweed modules are expected to use pw_add_test.

  • pw_add_test – Declare an upstream Pigweed test target.

  • pw_add_test_group – Declare a target to group and bundle test targets.

  • pw_target_link_targets – Helper wrapper around target_link_libraries which only supports CMake targets and detects when the target does not exist. Note that generator expressions are not supported.

  • pw_add_global_compile_options – Applies compilation options to all targets in the build. This should only be used to add essential compilation options, such as those that affect the ABI. Use pw_add_library or target_compile_options to apply other compile options.

  • pw_add_error_target – Declares target which reports a message and causes a build failure only when compiled. This is useful when FATAL_ERROR messages cannot be used to catch problems during the CMake configuration phase.

  • pw_parse_arguments – Helper to parse CMake function arguments.

See pw_build/pigweed.cmake for the complete documentation of these functions.

Special libraries that do not fit well with these functions are created with the standard CMake functions, such as add_library and target_link_libraries.

Facades and backends#

Pigweed AI summary: The CMake build uses cache variables for configuring facades and backends. These variables have a single global value per build directory and can be awkward to work with since their values persist across CMake invocations. To set the backend variable, one can include a file, call pw_set_backend, set it at the command line, or temporarily override it with ccmake or cmake-gui. If the backend is set to a build target that does not exist, there will be an error message.

The CMake build uses CMake cache variables for configuring facades and backends. Cache variables are similar to GN’s build args set with gn args. Unlike GN, CMake does not support multi-toolchain builds, so these variables have a single global value per build directory.

The pw_add_module_facade function declares a cache variable named <module_name>_BACKEND for each facade. Cache variables can be awkward to work with, since their values only change when they’re assigned, but then persist accross CMake invocations. These variables should be set in one of the following ways:

  • Prior to setting a backend, your application should include $ENV{PW_ROOT}/backends.cmake. This file will setup all the backend targets such that any misspelling of a facade or backend will yield a warning.

    Note

    Zephyr developers do not need to do this, backends can be set automatically by enabling the appropriate Kconfig options.

  • Call pw_set_backend to set backends appropriate for the target in the target’s toolchain file. The toolchain file is provided to cmake with -DCMAKE_TOOLCHAIN_FILE=<toolchain file>.

  • Call pw_set_backend in the top-level CMakeLists.txt before other CMake code executes.

  • Set the backend variable at the command line with the -D option.

    cmake -B out/cmake_host -S "$PW_ROOT" -G Ninja \
        -DCMAKE_TOOLCHAIN_FILE=$PW_ROOT/pw_toolchain/host_clang/toolchain.cmake \
        -Dpw_log_BACKEND=pw_log_basic
    
  • Temporarily override a backend by setting it interactively with ccmake or cmake-gui.

If the backend is set to a build target that does not exist, there will be an error message like the following:

CMake Error at pw_build/pigweed.cmake:257 (message):
  my_module.my_facade's INTERFACE dep "my_nonexistent_backend" is not
  a target.
Call Stack (most recent call first):
  pw_build/pigweed.cmake:238:EVAL:1 (_pw_target_link_targets_deferred_check)
  CMakeLists.txt:DEFERRED

Toolchain setup#

Pigweed AI summary: This paragraph discusses the toolchain setup in CMake for Pigweed embedded builds. The toolchain is configured by setting CMake variables in a toolchain CMake file passed to CMake with the -D option. For Pigweed embedded builds, the CMAKE_SYSTEM_NAME variable should be set to an empty string. Toolchains may also set the pw_build_WARNINGS variable to a list of INTERFACE libraries with compilation options for Pigweed's upstream libraries. Projects may need to use less strict compilation warnings to compile

In CMake, the toolchain is configured by setting CMake variables, as described in the CMake documentation. These variables are typically set in a toolchain CMake file passed to cmake with the -D option (-DCMAKE_TOOLCHAIN_FILE=path/to/file.cmake). For Pigweed embedded builds, set CMAKE_SYSTEM_NAME to the empty string ("").

Toolchains may set the pw_build_WARNINGS variable to a list of INTERFACE libraries with compilation options for Pigweed’s upstream libraries. This defaults to a strict set of warnings. Projects may need to use less strict compilation warnings to compile backends exposed to Pigweed code (such as pw_log) that cannot compile with Pigweed’s flags. If desired, Projects can access these warnings by depending on pw_build.warnings.

Third party libraries#

Pigweed AI summary: The CMake build includes third-party libraries similarly to the GN build. Each third-party dependency has a cache variable defined, which must be set to the absolute path of the library in order to use it. If the variable is empty, the dependency is not available. Third-party dependencies are not automatically added to the build and can be manually added using the "add_subdirectory" command or by setting the "pw_third_party_<library>_ADD_SUBDIRECTORY" option to "ON". Third-party variables can

The CMake build includes third-party libraries similarly to the GN build. A dir_pw_third_party_<library> cache variable is defined for each third-party dependency. The variable must be set to the absolute path of the library in order to use it. If the variable is empty (if("${dir_pw_third_party_<library>}" STREQUAL "")), the dependency is not available.

Third-party dependencies are not automatically added to the build. They can be manually added with add_subdirectory or by setting the pw_third_party_<library>_ADD_SUBDIRECTORY option to ON.

Third party variables are set like any other cache global variable in CMake. It is recommended to set these in one of the following ways:

  • Set with the CMake set function in the toolchain file or a CMakeLists.txt before other CMake code executes.

    set(dir_pw_third_party_nanopb ${CMAKE_CURRENT_SOURCE_DIR}/external/nanopb CACHE PATH "" FORCE)
    
  • Set the variable at the command line with the -D option.

    cmake -B out/cmake_host -S "$PW_ROOT" -G Ninja \
        -DCMAKE_TOOLCHAIN_FILE=$PW_ROOT/pw_toolchain/host_clang/toolchain.cmake \
        -Ddir_pw_third_party_nanopb=/path/to/nanopb
    
  • Set the variable interactively with ccmake or cmake-gui.

Use Pigweed from an existing CMake project#

Pigweed AI summary: To use Pigweed libraries in a CMake-based project, include the Pigweed repository from a CMakeLists.txt file using the "add_subdirectory" command. All module libraries will be available as "module_name" or "module_name.sublibrary". Individual modules can also be included if desired.

To use Pigweed libraries form a CMake-based project, simply include the Pigweed repository from a CMakeLists.txt.

add_subdirectory(path/to/pigweed pigweed)

All module libraries will be available as module_name or module_name.sublibrary.

If desired, modules can be included individually.

add_subdirectory(path/to/pigweed/pw_some_module pw_some_module)
add_subdirectory(path/to/pigweed/pw_another_module pw_another_module)

Bazel#

Pigweed AI summary: Bazel is an experimental tool that currently only builds for host and ARM Cortex-M microcontrollers. It provides wrapper rules that add parameters to calls to the compiler and linker. Additionally, Bazel provides a custom rule for handling linker scripts. In Bazel, a facade module has a facade target, a library target, a backend label flag, and a backend target. The facade target is the interface to the module, while the library target is what users of the module depend on. The backend label flag

Bazel is currently very experimental, and only builds for host and ARM Cortex-M microcontrollers.

Wrapper rules#

Pigweed AI summary: The common configuration for Bazel for all modules is stored in the "pigweed.bzl" file. The built-in Bazel rules "cc_binary", "cc_library", and "cc_test" are wrapped with "pw_cc_binary", "pw_cc_library", and "pw_cc_test" respectively. These wrappers add additional parameters to the compiler and linker calls.

The common configuration for Bazel for all modules is in the pigweed.bzl file. The built-in Bazel rules cc_binary, cc_library, and cc_test are wrapped with pw_cc_binary, pw_cc_library, and pw_cc_test. These wrappers add parameters to calls to the compiler and linker.

pw_linker_script#

Pigweed AI summary: Pigweed provides a custom rule for handling linker scripts with Bazel. The example code shows how to use this rule to define a linker script and link it with a C binary. The linker script is configurable and has several defines. The C binary includes the linker script as an additional linker input and specifies the linker script location using a linkopt.

In addition to wrapping the built-in rules, Pigweed also provides a custom rule for handling linker scripts with Bazel. e.g.

pw_linker_script(
  name = "some_linker_script",
  linker_script = ":some_configurable_linker_script.ld",
  defines = [
      "PW_BOOT_FLASH_BEGIN=0x08000200",
      "PW_BOOT_FLASH_SIZE=1024K",
      "PW_BOOT_HEAP_SIZE=112K",
      "PW_BOOT_MIN_STACK_SIZE=1K",
      "PW_BOOT_RAM_BEGIN=0x20000000",
      "PW_BOOT_RAM_SIZE=192K",
      "PW_BOOT_VECTOR_TABLE_BEGIN=0x08000000",
      "PW_BOOT_VECTOR_TABLE_SIZE=512",
  ],
)

pw_cc_binary(
  name = "some_binary",
  srcs = ["some_source.c"],
  additional_linker_inputs = [":some_linker_script"],
  linkopts = ["-T $(location :some_linker_script)"],
)

pw_cc_facade#

Pigweed AI summary: In Bazel, a facade module consists of a facade target, a library target, a backend label flag, a backend target, a facade constraint setting, backend constraint values, and a backend multiplexer. The facade target is the interface to the module that backend implementations depend on. The library target is what users of the module depend on and includes both the facade and backend. The backend label flag is a dependency edge that can be overridden by downstream projects. The backend target implements a specific backend for the

In Bazel, a facade module has a few components:

  1. The facade target, i.e. the interface to the module. This is what backend implementations depend on to know what interface they’re supposed to implement. The facade is declared by creating a pw_cc_facade target, which is just a thin wrapper for cc_library. For example,

    pw_cc_facade(
        name = "binary_semaphore_facade",
        # The header that constitues the facade.
        hdrs = [
            "public/pw_sync/binary_semaphore.h",
        ],
        includes = ["public"],
        # Dependencies of this header.
        deps = [
            "//pw_chrono:system_clock",
            "//pw_preprocessor",
        ],
    )
    

    Note

    As pure interfaces, pw_cc_facade targets should not include any source files. Backend-independent source files should be placed in the “library target” instead.

  2. The library target, i.e. both the facade (interface) and backend (implementation). This is what users of the module depend on. It’s a regular pw_cc_library that exposes the same headers as the facade, but has a dependency on the “backend label flag” (discussed next). It may also include some source files (if these are backend-independent). For example,

    pw_cc_library(
        name = "binary_semaphore",
        # A backend-independent source file.
        srcs = [
            "binary_semaphore.cc",
        ],
        # The same header as exposed by the facade.
        hdrs = [
            "public/pw_sync/binary_semaphore.h",
        ],
        deps = [
            # Dependencies of this header
            "//pw_chrono:system_clock",
            "//pw_preprocessor",
            # The backend, hidden behind a label_flag.
            "@pigweed_config//:pw_sync_binary_semaphore_backend",
        ],
    )
    

    Note

    You may be tempted to reduce duplication in the BUILD.bazel files and simply add the facade target to the deps of the library target, instead of re-declaring the facade’s hdrs and deps. Do not do this! It’s a layering check violation: the facade headers provide the module’s interface, and should be directly exposed by the target the users depend on.

  3. The backend label flag. This is a label_flag: a dependency edge in the build graph that can be overridden by downstream projects. For facades defined in upstream Pigweed, the label_flags are collected in the pigweed_config.

  4. The backend target implements a particular backend for a facade. It’s just a plain pw_cc_library, with a dependency on the facade target. For example,

    pw_cc_library(
        name = "binary_semaphore",
        srcs = [
            "binary_semaphore.cc",
        ],
        hdrs = [
            "public/pw_sync_stl/binary_semaphore_inline.h",
            "public/pw_sync_stl/binary_semaphore_native.h",
            "public_overrides/pw_sync_backend/binary_semaphore_inline.h",
            "public_overrides/pw_sync_backend/binary_semaphore_native.h",
        ],
        includes = [
            "public",
            "public_overrides",
        ],
        deps = [
            # Dependencies of the backend's headers and sources.
            "//pw_assert",
            "//pw_chrono:system_clock",
            # A dependency on the facade target, which defines the interface
            # this backend target implements.
            "//pw_sync:binary_semaphore_facade",
        ],
    )
    

    If a project uses only one backend for a given facade, the backend label flag should point at that backend target.

  5. The facade constraint setting and backend constraint values. Every facade has an associated constraint setting (enum used in platform definition), and each backend for this facade has an associated constraint_value (enum value). Example:

    # //pw_sync/BUILD.bazel
    constraint_setting(
      name = "binary_semaphore_backend_constraint_setting",
    )
    
    # //pw_sync_stl/BUILD.bazel
    constraint_value(
      name = "binary_semaphore_backend",
      constraint_setting = "//pw_sync:binary_semaphore_backend_constraint_setting",
    )
    
    # //pw_sync_freertos/BUILD.bazel
    constraint_value(
      name = "binary_semaphore_backend",
      constraint_setting = "//pw_sync:binary_semaphore_backend_constraint_setting",
    )
    

    Target platforms for Pigweed projects should indicate which backend they select for each facade by listing the corresponding constraint_value in their definition. This can be used in a couple of ways:

    1. It allows projects to switch between multiple backends based only on the target platform using a backend multiplexer (see below) instead of setting label flags in their .bazelrc.

    2. It allows tests or libraries that only support a particular backend to express this through the target_compatible_with attribute. Bazel will use this to automatically skip incompatible targets in wildcard builds.

  6. The backend multiplexer. If a project uses more than one backend for a given facade (e.g., it uses different backends for host and embedded target builds), the backend label flag will point to a target that resolves to the correct backend based on the target platform. This will typically be an alias with a select statement mapping constraint values to the appropriate backend targets. For example,

    alias(
        name = "pw_sync_binary_semaphore_backend_multiplexer",
        actual = select({
            "//pw_sync_stl:binary_semaphore_backend": "@pigweed//pw_sync_stl:binary_semaphore",
            "//pw_sync_freertos:binary_semaphore_backend": "@pigweed//pw_sync_freertos:binary_semaphore_backend",
            # If we're building for a host OS, use the STL backend.
            "@platforms//os:macos": "@pigweed//pw_sync_stl:binary_semaphore",
            "@platforms//os:linux": "@pigweed//pw_sync_stl:binary_semaphore",
            "@platforms//os:windows": "@pigweed//pw_sync_stl:binary_semaphore",
            # Unless the target platform is the host platform, it must
            # explicitly specify which backend to use. The unspecified_backend
            # is not compatible with any platform; taking this branch will produce
            # an informative error.
            "//conditions:default": "@pigweed//pw_build:unspecified_backend",
        }),
    )
    

Toolchains and platforms#

Pigweed AI summary: Pigweed currently uses open source toolchains for its host builds, which are only supported on Linux/Mac systems. These builds are not entirely hermetic and rely on system libraries and headers. The host toolchain is based on clang-11 and requires the 'libtinfo.so.5' system dependency. For Debian based systems, this can be installed using the command 'sudo apt install libncurses5'. The host toolchain does not currently support native Windows, but using WSL is

Currently Pigweed is making use of a set of open source toolchains. The host builds are only supported on Linux/Mac based systems. Additionally the host builds are not entirely hermetic, and will make use of system libraries and headers. This is close to the default configuration for Bazel, though slightly more hermetic. The host toolchain is based around clang-11 which has a system dependency on ‘libtinfo.so.5’ which is often included as part of the libncurses packages. On Debian based systems this can be installed using the command below:

sudo apt install libncurses5

The host toolchain does not currently support native Windows, though using WSL is a viable alternative.

The ARM Cortex-M Bazel toolchains are based around gcc-arm-non-eabi and are entirely hermetic. You can target Cortex-M, by using the platforms command line option. This set of toolchains is supported from hosts; Windows, Mac and Linux. The platforms that are currently supported are listed below:

bazel build //:your_target --platforms=@pigweed//pw_build/platforms:cortex_m0
bazel build //:your_target --platforms=@pigweed//pw_build/platforms:cortex_m1
bazel build //:your_target --platforms=@pigweed//pw_build/platforms:cortex_m3
bazel build //:your_target --platforms=@pigweed//pw_build/platforms:cortex_m4
bazel build //:your_target --platforms=@pigweed//pw_build/platforms:cortex_m7
bazel build //:your_target \
  --platforms=@pigweed//pw_build/platforms:cortex_m4_fpu
bazel build //:your_target \
  --platforms=@pigweed//pw_build/platforms:cortex_m7_fpu

The above examples are cpu/fpu oriented platforms and can be used where applicable for your application. There some more specific platforms for the types of boards that are included as examples in Pigweed. It is strongly encouraged that you create your own set of platforms specific for your project, that implement the constraint_settings in this repository. e.g.

New board constraint_value:

#your_repo/build_settings/constraints/board/BUILD
constraint_value(
  name = "nucleo_l432kc",
  constraint_setting = "@pigweed//pw_build/constraints/board",
)

New chipset constraint_value:

# your_repo/build_settings/constraints/chipset/BUILD
constraint_value(
  name = "stm32l432kc",
  constraint_setting = "@pigweed//pw_build/constraints/chipset",
)

New platforms for chipset and board:

#your_repo/build_settings/platforms/BUILD
# Works with all stm32l432kc
platforms(
  name = "stm32l432kc",
  parents = ["@pigweed//pw_build/platforms:cortex_m4"],
  constraint_values =
    ["@your_repo//build_settings/constraints/chipset:stm32l432kc"],
)

# Works with only the nucleo_l432kc
platforms(
  name = "nucleo_l432kc",
  parents = [":stm32l432kc"],
  constraint_values =
    ["@your_repo//build_settings/constraints/board:nucleo_l432kc"],
)

In the above example you can build your code with the command line:

bazel build //:your_target_for_nucleo_l432kc \
  --platforms=@your_repo//build_settings:nucleo_l432kc

You can also specify that a specific target is only compatible with one platform:

cc_library(
  name = "compatible_with_all_stm32l432kc",
  srcs = ["tomato_src.c"],
  target_compatible_with =
    ["@your_repo//build_settings/constraints/chipset:stm32l432kc"],
)

cc_library(
  name = "compatible_with_only_nucleo_l432kc",
  srcs = ["bbq_src.c"],
  target_compatible_with =
    ["@your_repo//build_settings/constraints/board:nucleo_l432kc"],
)