Rules Rust

This repository provides rules for building Rust projects with Bazel.

Setup

The rules are released, and releases can be found on the GitHub Releases page. We recommend using the latest release from that page.

Bzlmod

Note that rules_rust bzlmod support is still a work in progress. Most features should work, but bugs are more likely. This is not a desired end-state - please report (or better yet, help fix!) bugs you run into.

To use rules_rust in a project using bzlmod, add the following to your MODULE.bazel file:

bazel_dep(name = "rules_rust", version = "0.67.0")

Don't forget to substitute in your desired release's version number.

WORKSPACE

To use rules_rust in a project using a WORKSPACE file, add the following to your WORKSPACE file to add the external repositories for the Rust toolchain:

load("@bazel_tools//tools/build_defs/repo:http.bzl", "http_archive")

# To find additional information on this release or newer ones visit:
# https://github.com/bazelbuild/rules_rust/releases
http_archive(
    name = "rules_rust",
    integrity = "sha256-Weev1uz2QztBlDA88JX6A1N72SucD1V8lBsaliM0TTg=",
    urls = ["https://github.com/bazelbuild/rules_rust/releases/download/0.48.0/rules_rust-v0.48.0.tar.gz"],
)

load("@rules_rust//rust:repositories.bzl", "rules_rust_dependencies", "rust_register_toolchains")

rules_rust_dependencies()

rust_register_toolchains()

Don't forget to substitute in your desired release's version number and integrity hash.

Specifying Rust version

Bzlmod

To use a particular version of the Rust compiler, pass that version to the toolchain method of the rust extension, like this:

rust = use_extension("@rules_rust//rust:extensions.bzl", "rust")
rust.toolchain(
    edition = "2024",
    versions = [ "1.85.0" ],
)

As well as an exact version, versions can accept nightly/{iso_date} and beta/{iso_date} strings for toolchains from different release channels, as in

rust.toolchain(
    edition = "2021",
    versions = [ "nightly/1.85.0" ],
)

By default, a stable and nightly toolchain will be registered if no toolchain method is called (and thus no specific versions are registered). However, if only 1 version is passed and it is from the nightly or beta release channels (i.e. not stable), then the following build setting flag must be present, either on the command line or set in the project's .bazelrc file:

build --@rules_rust//rust/toolchain/channel=nightly

Failure to do so will result in rules attempting to match a stable toolchain when one was not registered, thus raising an error.

WORKSPACE

To build with a particular version of the Rust compiler when using a WORKSPACE file, pass that version to rust_register_toolchains:

rust_register_toolchains(
    edition = "2021",
    versions = [
        "1.79.0"
    ],
)

Like in the Bzlmod approach, as well as an exact version, versions can accept nightly/{iso_date} and beta/{iso_date} strings for toolchains from different release channels.

rust_register_toolchains(
    edition = "2021",
    versions = [
        "nightly/2024-06-13",
    ],
)

Here too a stable and nightly toolchain will be registered by default if no versions are passed to rust_register_toolchains. However, if only 1 version is passed and it is from the nightly or beta release channels (i.e. not stable), then the following build setting flag must also be set either in the command line or in the project's .bazelrc file.

build --@rules_rust//rust/toolchain/channel=nightly

Failure to do so will result in rules attempting to match a stable toolchain when one was not registered, thus raising an error.

Supported bazel versions

The oldest version of Bazel the main branch is tested against is 7.4.1. Previous versions may still be functional in certain environments, but this is the minimum version we strive to fully support.

We test these rules against the latest rolling releases of Bazel, and aim for compatibility with them, but prioritise stable releases over rolling releases where necessary.

WORKSPACE support

WORKSPACE support is officially tested with Bazel 7 for as long as that is the min supported version. While it may work with later versions, compatibility with those versions is not guaranteed or actively verified.

Supported platforms

We aim to support Linux and macOS.

We do not have sufficient maintainer expertise to support Windows. Most things probably work, but we have had to disable many tests in CI because we lack the expertise to fix them. We welcome contributions to help improve its support.

Rules

  • defs: standard rust rules for building and testing libraries and binaries.
  • rustdoc: rules for generating and testing rust documentation.
  • clippy: rules for running clippy.
  • rustfmt: rules for running rustfmt.
  • cargo: Rules dedicated to Cargo compatibility. ie: build.rs scripts.
  • crate_universe: Rules for generating Bazel targets for external crate dependencies.

Experimental rules

3rd party rules

Public entry point to all Rust rules and supported APIs.

Rules

Functions

Aspects

rust_binary

load("@rules_rust//rust:defs.bzl", "rust_binary")

rust_binary(name, deps, srcs, data, aliases, allocator_libraries, alwayslink, binary_name,
            compile_data, crate_features, crate_name, crate_root, crate_type, edition, env,
            experimental_use_cc_common_link, linker_script, lint_config, malloc, out_binary, platform,
            proc_macro_deps, rustc_env, rustc_env_files, rustc_flags, stamp, version)

Builds a Rust binary crate.

Example:

Suppose you have the following directory structure for a Rust project with a library crate, hello_lib, and a binary crate, hello_world that uses the hello_lib library:

[workspace]/
    WORKSPACE
    hello_lib/
        BUILD
        src/
            lib.rs
    hello_world/
        BUILD
        src/
            main.rs

hello_lib/src/lib.rs:

#![allow(unused)]
fn main() {
pub struct Greeter {
    greeting: String,
}

impl Greeter {
    pub fn new(greeting: &str) -> Greeter {
        Greeter { greeting: greeting.to_string(), }
    }

    pub fn greet(&self, thing: &str) {
        println!("{} {}", &self.greeting, thing);
    }
}
}

hello_lib/BUILD:

package(default_visibility = ["//visibility:public"])

load("@rules_rust//rust:defs.bzl", "rust_library")

rust_library(
    name = "hello_lib",
    srcs = ["src/lib.rs"],
)

hello_world/src/main.rs:

extern crate hello_lib;

fn main() {
    let hello = hello_lib::Greeter::new("Hello");
    hello.greet("world");
}

hello_world/BUILD:

load("@rules_rust//rust:defs.bzl", "rust_binary")

rust_binary(
    name = "hello_world",
    srcs = ["src/main.rs"],
    deps = ["//hello_lib"],
)

Build and run hello_world:

$ bazel run //hello_world
INFO: Found 1 target...
Target //examples/rust/hello_world:hello_world up-to-date:
bazel-bin/examples/rust/hello_world/hello_world
INFO: Elapsed time: 1.308s, Critical Path: 1.22s

INFO: Running command line: bazel-bin/examples/rust/hello_world/hello_world
Hello world

On Windows, a PDB file containing debugging information is available under the key pdb_file in OutputGroupInfo. Similarly on macOS, a dSYM folder is available under the key dsym_folder in OutputGroupInfo.

ATTRIBUTES

NameDescriptionTypeMandatoryDefault
nameA unique name for this target.Namerequired
depsList of other libraries to be linked to this library target.

These can be either other rust_library targets or cc_library targets if linking a native library.
List of labelsoptional[]
srcsList of Rust .rs source files used to build the library.

If srcs contains more than one file, then there must be a file either named lib.rs. Otherwise, crate_root must be set to the source file that is the root of the crate to be passed to rustc to build this crate.
List of labelsoptional[]
dataList of files used by this rule at compile time and runtime.

If including data at compile time with include_str!() and similar, prefer compile_data over data, to prevent the data also being included in the runfiles.
List of labelsoptional[]
aliasesRemap crates to a new name or moniker for linkage to this target

These are other rust_library targets and will be presented as the new name given.
Dictionary: Label -> Stringoptional{}
allocator_libraries-Labeloptional"@rules_rust//ffi/rs:default_allocator_libraries"
alwayslinkIf 1, any binary that depends (directly or indirectly) on this library will link in all the object files even if some contain no symbols referenced by the binary.

This attribute is used by the C++ Starlark API when passing CcInfo providers.
BooleanoptionalFalse
binary_nameOverride the resulting binary file name. By default, the binary file will be named using the name attribute on this rule, however sometimes that is not deseriable.Stringoptional""
compile_dataList of files used by this rule at compile time.

This attribute can be used to specify any data files that are embedded into the library, such as via the include_str! macro.
List of labelsoptional[]
crate_featuresList of features to enable for this crate.

Features are defined in the code using the #[cfg(feature = "foo")] configuration option. The features listed here will be passed to rustc with --cfg feature="${feature_name}" flags.
List of stringsoptional[]
crate_nameCrate name to use for this target.

This must be a valid Rust identifier, i.e. it may contain only alphanumeric characters and underscores. Defaults to the target name, with any hyphens replaced by underscores.
Stringoptional""
crate_rootThe file that will be passed to rustc to be used for building this crate.

If crate_root is not set, then this rule will look for a lib.rs file (or main.rs for rust_binary) or the single file in srcs if srcs contains only one file.
LabeloptionalNone
crate_typeCrate type that will be passed to rustc to be used for building this crate.

This option is a temporary workaround and should be used only when building for WebAssembly targets (//rust/platform:wasi and //rust/platform:wasm).
Stringoptional"bin"
editionThe rust edition to use for this crate. Defaults to the edition specified in the rust_toolchain.Stringoptional""
envSpecifies additional environment variables to set when the target is executed by bazel run. Values are subject to $(rootpath), $(execpath), location, and "Make variable" substitution.

Execpath returns absolute path, and in order to be able to construct the absolute path we need to wrap the test binary in a launcher. Using a launcher comes with complications, such as more complicated debugger attachment.
Dictionary: String -> Stringoptional{}
experimental_use_cc_common_linkWhether to use cc_common.link to link rust binaries. Possible values: [-1, 0, 1]. -1 means use the value of the toolchain.experimental_use_cc_common_link boolean build setting to determine. 0 means do not use cc_common.link (use rustc instead). 1 means use cc_common.link.Integeroptional-1
linker_scriptLink script to forward into linker via rustc options.LabeloptionalNone
lint_configSet of lints to apply when building this crate.LabeloptionalNone
mallocOverride the default dependency on malloc.

By default, Rust binaries linked with cc_common.link are linked against @bazel_tools//tools/cpp:malloc", which is an empty library and the resulting binary will use libc's malloc. This label must refer to a cc_library rule.
Labeloptional"@bazel_tools//tools/cpp:malloc"
out_binaryForce a target, regardless of it's crate_type, to always mark the file as executable. This attribute is only used to support wasm targets but is expected to be removed following a resolution to https://github.com/bazelbuild/rules_rust/issues/771.BooleanoptionalFalse
platformOptional platform to transition the binary to.LabeloptionalNone
proc_macro_depsList of rust_proc_macro targets used to help build this library target.List of labelsoptional[]
rustc_envDictionary of additional "key": "value" environment variables to set for rustc.

rust_test()/rust_binary() rules can use $(rootpath //package:target) to pass in the location of a generated file or external tool. Cargo build scripts that wish to expand locations should use cargo_build_script()'s build_script_env argument instead, as build scripts are run in a different environment - see cargo_build_script()'s documentation for more.
Dictionary: String -> Stringoptional{}
rustc_env_filesFiles containing additional environment variables to set for rustc.

These files should contain a single variable per line, of format NAME=value, and newlines may be included in a value by ending a line with a trailing back-slash (\\).

The order that these files will be processed is unspecified, so multiple definitions of a particular variable are discouraged.

Note that the variables here are subject to workspace status stamping should the stamp attribute be enabled. Stamp variables should be wrapped in brackets in order to be resolved. E.g. NAME={WORKSPACE_STATUS_VARIABLE}.
List of labelsoptional[]
rustc_flagsList of compiler flags passed to rustc.

These strings are subject to Make variable expansion for predefined source/output path variables like $location, $execpath, and $rootpath. This expansion is useful if you wish to pass a generated file of arguments to rustc: @$(location //package:target).
List of stringsoptional[]
stampWhether to encode build information into the Rustc action. Possible values:

- stamp = 1: Always stamp the build information into the Rustc action, even in --nostamp builds. This setting should be avoided, since it potentially kills remote caching for the target and any downstream actions that depend on it.

- stamp = 0: Always replace build information by constant values. This gives good build result caching.

- stamp = -1: Embedding of build information is controlled by the --[no]stamp flag.

Stamped targets are not rebuilt unless their dependencies change.

For example if a rust_library is stamped, and a rust_binary depends on that library, the stamped library won't be rebuilt when we change sources of the rust_binary. This is different from how cc_library.linkstamps behaves.
Integeroptional-1
versionA version to inject in the cargo environment variable.Stringoptional"0.0.0"

rust_library

load("@rules_rust//rust:defs.bzl", "rust_library")

rust_library(name, deps, srcs, data, aliases, allocator_libraries, alwayslink, compile_data,
             crate_features, crate_name, crate_root, disable_pipelining, edition, lint_config,
             proc_macro_deps, rustc_env, rustc_env_files, rustc_flags, stamp, version)

Builds a Rust library crate.

Example:

Suppose you have the following directory structure for a simple Rust library crate:

[workspace]/
    WORKSPACE
    hello_lib/
        BUILD
        src/
            greeter.rs
            lib.rs

hello_lib/src/greeter.rs:

#![allow(unused)]
fn main() {
pub struct Greeter {
    greeting: String,
}

impl Greeter {
    pub fn new(greeting: &str) -> Greeter {
        Greeter { greeting: greeting.to_string(), }
    }

    pub fn greet(&self, thing: &str) {
        println!("{} {}", &self.greeting, thing);
    }
}
}

hello_lib/src/lib.rs:

#![allow(unused)]
fn main() {
pub mod greeter;
}

hello_lib/BUILD:

package(default_visibility = ["//visibility:public"])

load("@rules_rust//rust:defs.bzl", "rust_library")

rust_library(
    name = "hello_lib",
    srcs = [
        "src/greeter.rs",
        "src/lib.rs",
    ],
)

Build the library:

$ bazel build //hello_lib
INFO: Found 1 target...
Target //examples/rust/hello_lib:hello_lib up-to-date:
bazel-bin/examples/rust/hello_lib/libhello_lib.rlib
INFO: Elapsed time: 1.245s, Critical Path: 1.01s

ATTRIBUTES

NameDescriptionTypeMandatoryDefault
nameA unique name for this target.Namerequired
depsList of other libraries to be linked to this library target.

These can be either other rust_library targets or cc_library targets if linking a native library.
List of labelsoptional[]
srcsList of Rust .rs source files used to build the library.

If srcs contains more than one file, then there must be a file either named lib.rs. Otherwise, crate_root must be set to the source file that is the root of the crate to be passed to rustc to build this crate.
List of labelsoptional[]
dataList of files used by this rule at compile time and runtime.

If including data at compile time with include_str!() and similar, prefer compile_data over data, to prevent the data also being included in the runfiles.
List of labelsoptional[]
aliasesRemap crates to a new name or moniker for linkage to this target

These are other rust_library targets and will be presented as the new name given.
Dictionary: Label -> Stringoptional{}
allocator_libraries-Labeloptional"@rules_rust//ffi/rs:default_allocator_libraries"
alwayslinkIf 1, any binary that depends (directly or indirectly) on this library will link in all the object files even if some contain no symbols referenced by the binary.

This attribute is used by the C++ Starlark API when passing CcInfo providers.
BooleanoptionalFalse
compile_dataList of files used by this rule at compile time.

This attribute can be used to specify any data files that are embedded into the library, such as via the include_str! macro.
List of labelsoptional[]
crate_featuresList of features to enable for this crate.

Features are defined in the code using the #[cfg(feature = "foo")] configuration option. The features listed here will be passed to rustc with --cfg feature="${feature_name}" flags.
List of stringsoptional[]
crate_nameCrate name to use for this target.

This must be a valid Rust identifier, i.e. it may contain only alphanumeric characters and underscores. Defaults to the target name, with any hyphens replaced by underscores.
Stringoptional""
crate_rootThe file that will be passed to rustc to be used for building this crate.

If crate_root is not set, then this rule will look for a lib.rs file (or main.rs for rust_binary) or the single file in srcs if srcs contains only one file.
LabeloptionalNone
disable_pipeliningDisables pipelining for this rule if it is globally enabled. This will cause this rule to not produce a .rmeta file and all the dependent crates will instead use the .rlib file.BooleanoptionalFalse
editionThe rust edition to use for this crate. Defaults to the edition specified in the rust_toolchain.Stringoptional""
lint_configSet of lints to apply when building this crate.LabeloptionalNone
proc_macro_depsList of rust_proc_macro targets used to help build this library target.List of labelsoptional[]
rustc_envDictionary of additional "key": "value" environment variables to set for rustc.

rust_test()/rust_binary() rules can use $(rootpath //package:target) to pass in the location of a generated file or external tool. Cargo build scripts that wish to expand locations should use cargo_build_script()'s build_script_env argument instead, as build scripts are run in a different environment - see cargo_build_script()'s documentation for more.
Dictionary: String -> Stringoptional{}
rustc_env_filesFiles containing additional environment variables to set for rustc.

These files should contain a single variable per line, of format NAME=value, and newlines may be included in a value by ending a line with a trailing back-slash (\\).

The order that these files will be processed is unspecified, so multiple definitions of a particular variable are discouraged.

Note that the variables here are subject to workspace status stamping should the stamp attribute be enabled. Stamp variables should be wrapped in brackets in order to be resolved. E.g. NAME={WORKSPACE_STATUS_VARIABLE}.
List of labelsoptional[]
rustc_flagsList of compiler flags passed to rustc.

These strings are subject to Make variable expansion for predefined source/output path variables like $location, $execpath, and $rootpath. This expansion is useful if you wish to pass a generated file of arguments to rustc: @$(location //package:target).
List of stringsoptional[]
stampWhether to encode build information into the Rustc action. Possible values:

- stamp = 1: Always stamp the build information into the Rustc action, even in --nostamp builds. This setting should be avoided, since it potentially kills remote caching for the target and any downstream actions that depend on it.

- stamp = 0: Always replace build information by constant values. This gives good build result caching.

- stamp = -1: Embedding of build information is controlled by the --[no]stamp flag.

Stamped targets are not rebuilt unless their dependencies change.

For example if a rust_library is stamped, and a rust_binary depends on that library, the stamped library won't be rebuilt when we change sources of the rust_binary. This is different from how cc_library.linkstamps behaves.
Integeroptional0
versionA version to inject in the cargo environment variable.Stringoptional"0.0.0"

rust_library_group

load("@rules_rust//rust:defs.bzl", "rust_library_group")

rust_library_group(name, deps)

Functions as an alias for a set of dependencies.

Specifically, the following are equivalent:

rust_library_group(
    name = "crate_group",
    deps = [
        ":crate1",
        ":crate2",
    ],
)

rust_library(
    name = "foobar",
    deps = [":crate_group"],
    ...
)

and

rust_library(
    name = "foobar",
    deps = [
        ":crate1",
        ":crate2",
    ],
    ...
)

ATTRIBUTES

NameDescriptionTypeMandatoryDefault
nameA unique name for this target.Namerequired
depsOther dependencies to forward through this crate group.List of labelsoptional[]

rust_lint_config

load("@rules_rust//rust:defs.bzl", "rust_lint_config")

rust_lint_config(name, clippy, rustc, rustc_check_cfg, rustdoc)

Defines a group of lints that can be applied when building Rust targets.

For example, you can define a single group of lints:

load("@rules_rust//rust:defs.bzl", "rust_lint_config")

rust_lint_config(
    name = "workspace_lints",
    rustc = {
        "unknown_lints": "allow",
        "unexpected_cfgs": "warn",
    },
    rustc_check_cfg = {
        "bazel": [],
        "fuzzing": [],
        "mz_featutres": ["laser", "rocket"],
    },
    clippy = {
        "box_default": "allow",
        "todo": "warn",
        "unused_async": "warn",
    },
    rustdoc = {
        "unportable_markdown": "allow",
    },
)

ATTRIBUTES

NameDescriptionTypeMandatoryDefault
nameA unique name for this target.Namerequired
clippySet of 'clippy' lints to 'allow', 'expect', 'warn', 'force-warn', 'deny', or 'forbid'.Dictionary: String -> Stringoptional{}
rustcSet of 'rustc' lints to 'allow', 'expect', 'warn', 'force-warn', 'deny', or 'forbid'.Dictionary: String -> Stringoptional{}
rustc_check_cfgSet of 'cfg' names and list of values to expect.Dictionary: String -> List of stringsoptional{}
rustdocSet of 'rustdoc' lints to 'allow', 'expect', 'warn', 'force-warn', 'deny', or 'forbid'.Dictionary: String -> Stringoptional{}

rust_proc_macro

load("@rules_rust//rust:defs.bzl", "rust_proc_macro")

rust_proc_macro(name, deps, srcs, data, aliases, allocator_libraries, alwayslink, compile_data,
                crate_features, crate_name, crate_root, edition, lint_config, proc_macro_deps,
                rustc_env, rustc_env_files, rustc_flags, stamp, version)

Builds a Rust proc-macro crate.

ATTRIBUTES

NameDescriptionTypeMandatoryDefault
nameA unique name for this target.Namerequired
depsList of other libraries to be linked to this library target.

These can be either other rust_library targets or cc_library targets if linking a native library.
List of labelsoptional[]
srcsList of Rust .rs source files used to build the library.

If srcs contains more than one file, then there must be a file either named lib.rs. Otherwise, crate_root must be set to the source file that is the root of the crate to be passed to rustc to build this crate.
List of labelsoptional[]
dataList of files used by this rule at compile time and runtime.

If including data at compile time with include_str!() and similar, prefer compile_data over data, to prevent the data also being included in the runfiles.
List of labelsoptional[]
aliasesRemap crates to a new name or moniker for linkage to this target

These are other rust_library targets and will be presented as the new name given.
Dictionary: Label -> Stringoptional{}
allocator_libraries-Labeloptional"@rules_rust//ffi/rs:default_allocator_libraries"
alwayslinkIf 1, any binary that depends (directly or indirectly) on this library will link in all the object files even if some contain no symbols referenced by the binary.

This attribute is used by the C++ Starlark API when passing CcInfo providers.
BooleanoptionalFalse
compile_dataList of files used by this rule at compile time.

This attribute can be used to specify any data files that are embedded into the library, such as via the include_str! macro.
List of labelsoptional[]
crate_featuresList of features to enable for this crate.

Features are defined in the code using the #[cfg(feature = "foo")] configuration option. The features listed here will be passed to rustc with --cfg feature="${feature_name}" flags.
List of stringsoptional[]
crate_nameCrate name to use for this target.

This must be a valid Rust identifier, i.e. it may contain only alphanumeric characters and underscores. Defaults to the target name, with any hyphens replaced by underscores.
Stringoptional""
crate_rootThe file that will be passed to rustc to be used for building this crate.

If crate_root is not set, then this rule will look for a lib.rs file (or main.rs for rust_binary) or the single file in srcs if srcs contains only one file.
LabeloptionalNone
editionThe rust edition to use for this crate. Defaults to the edition specified in the rust_toolchain.Stringoptional""
lint_configSet of lints to apply when building this crate.LabeloptionalNone
proc_macro_depsList of rust_proc_macro targets used to help build this library target.List of labelsoptional[]
rustc_envDictionary of additional "key": "value" environment variables to set for rustc.

rust_test()/rust_binary() rules can use $(rootpath //package:target) to pass in the location of a generated file or external tool. Cargo build scripts that wish to expand locations should use cargo_build_script()'s build_script_env argument instead, as build scripts are run in a different environment - see cargo_build_script()'s documentation for more.
Dictionary: String -> Stringoptional{}
rustc_env_filesFiles containing additional environment variables to set for rustc.

These files should contain a single variable per line, of format NAME=value, and newlines may be included in a value by ending a line with a trailing back-slash (\\).

The order that these files will be processed is unspecified, so multiple definitions of a particular variable are discouraged.

Note that the variables here are subject to workspace status stamping should the stamp attribute be enabled. Stamp variables should be wrapped in brackets in order to be resolved. E.g. NAME={WORKSPACE_STATUS_VARIABLE}.
List of labelsoptional[]
rustc_flagsList of compiler flags passed to rustc.

These strings are subject to Make variable expansion for predefined source/output path variables like $location, $execpath, and $rootpath. This expansion is useful if you wish to pass a generated file of arguments to rustc: @$(location //package:target).
List of stringsoptional[]
stampWhether to encode build information into the Rustc action. Possible values:

- stamp = 1: Always stamp the build information into the Rustc action, even in --nostamp builds. This setting should be avoided, since it potentially kills remote caching for the target and any downstream actions that depend on it.

- stamp = 0: Always replace build information by constant values. This gives good build result caching.

- stamp = -1: Embedding of build information is controlled by the --[no]stamp flag.

Stamped targets are not rebuilt unless their dependencies change.

For example if a rust_library is stamped, and a rust_binary depends on that library, the stamped library won't be rebuilt when we change sources of the rust_binary. This is different from how cc_library.linkstamps behaves.
Integeroptional0
versionA version to inject in the cargo environment variable.Stringoptional"0.0.0"

rust_shared_library

load("@rules_rust//rust:defs.bzl", "rust_shared_library")

rust_shared_library(name, deps, srcs, data, aliases, allocator_libraries, alwayslink, compile_data,
                    crate_features, crate_name, crate_root, edition, experimental_use_cc_common_link,
                    lint_config, malloc, platform, proc_macro_deps, rustc_env, rustc_env_files,
                    rustc_flags, stamp, version)

Builds a Rust shared library.

This shared library will contain all transitively reachable crates and native objects. It is meant to be used when producing an artifact that is then consumed by some other build system (for example to produce a shared library that Python program links against).

This rule provides CcInfo, so it can be used everywhere Bazel expects rules_cc.

When building the whole binary in Bazel, use rust_library instead.

ATTRIBUTES

NameDescriptionTypeMandatoryDefault
nameA unique name for this target.Namerequired
depsList of other libraries to be linked to this library target.

These can be either other rust_library targets or cc_library targets if linking a native library.
List of labelsoptional[]
srcsList of Rust .rs source files used to build the library.

If srcs contains more than one file, then there must be a file either named lib.rs. Otherwise, crate_root must be set to the source file that is the root of the crate to be passed to rustc to build this crate.
List of labelsoptional[]
dataList of files used by this rule at compile time and runtime.

If including data at compile time with include_str!() and similar, prefer compile_data over data, to prevent the data also being included in the runfiles.
List of labelsoptional[]
aliasesRemap crates to a new name or moniker for linkage to this target

These are other rust_library targets and will be presented as the new name given.
Dictionary: Label -> Stringoptional{}
allocator_libraries-Labeloptional"@rules_rust//ffi/rs:default_allocator_libraries"
alwayslinkIf 1, any binary that depends (directly or indirectly) on this library will link in all the object files even if some contain no symbols referenced by the binary.

This attribute is used by the C++ Starlark API when passing CcInfo providers.
BooleanoptionalFalse
compile_dataList of files used by this rule at compile time.

This attribute can be used to specify any data files that are embedded into the library, such as via the include_str! macro.
List of labelsoptional[]
crate_featuresList of features to enable for this crate.

Features are defined in the code using the #[cfg(feature = "foo")] configuration option. The features listed here will be passed to rustc with --cfg feature="${feature_name}" flags.
List of stringsoptional[]
crate_nameCrate name to use for this target.

This must be a valid Rust identifier, i.e. it may contain only alphanumeric characters and underscores. Defaults to the target name, with any hyphens replaced by underscores.
Stringoptional""
crate_rootThe file that will be passed to rustc to be used for building this crate.

If crate_root is not set, then this rule will look for a lib.rs file (or main.rs for rust_binary) or the single file in srcs if srcs contains only one file.
LabeloptionalNone
editionThe rust edition to use for this crate. Defaults to the edition specified in the rust_toolchain.Stringoptional""
experimental_use_cc_common_linkWhether to use cc_common.link to link rust binaries. Possible values: [-1, 0, 1]. -1 means use the value of the toolchain.experimental_use_cc_common_link boolean build setting to determine. 0 means do not use cc_common.link (use rustc instead). 1 means use cc_common.link.Integeroptional-1
lint_configSet of lints to apply when building this crate.LabeloptionalNone
mallocOverride the default dependency on malloc.

By default, Rust binaries linked with cc_common.link are linked against @bazel_tools//tools/cpp:malloc", which is an empty library and the resulting binary will use libc's malloc. This label must refer to a cc_library rule.
Labeloptional"@bazel_tools//tools/cpp:malloc"
platformOptional platform to transition the shared library to.LabeloptionalNone
proc_macro_depsList of rust_proc_macro targets used to help build this library target.List of labelsoptional[]
rustc_envDictionary of additional "key": "value" environment variables to set for rustc.

rust_test()/rust_binary() rules can use $(rootpath //package:target) to pass in the location of a generated file or external tool. Cargo build scripts that wish to expand locations should use cargo_build_script()'s build_script_env argument instead, as build scripts are run in a different environment - see cargo_build_script()'s documentation for more.
Dictionary: String -> Stringoptional{}
rustc_env_filesFiles containing additional environment variables to set for rustc.

These files should contain a single variable per line, of format NAME=value, and newlines may be included in a value by ending a line with a trailing back-slash (\\).

The order that these files will be processed is unspecified, so multiple definitions of a particular variable are discouraged.

Note that the variables here are subject to workspace status stamping should the stamp attribute be enabled. Stamp variables should be wrapped in brackets in order to be resolved. E.g. NAME={WORKSPACE_STATUS_VARIABLE}.
List of labelsoptional[]
rustc_flagsList of compiler flags passed to rustc.

These strings are subject to Make variable expansion for predefined source/output path variables like $location, $execpath, and $rootpath. This expansion is useful if you wish to pass a generated file of arguments to rustc: @$(location //package:target).
List of stringsoptional[]
stampWhether to encode build information into the Rustc action. Possible values:

- stamp = 1: Always stamp the build information into the Rustc action, even in --nostamp builds. This setting should be avoided, since it potentially kills remote caching for the target and any downstream actions that depend on it.

- stamp = 0: Always replace build information by constant values. This gives good build result caching.

- stamp = -1: Embedding of build information is controlled by the --[no]stamp flag.

Stamped targets are not rebuilt unless their dependencies change.

For example if a rust_library is stamped, and a rust_binary depends on that library, the stamped library won't be rebuilt when we change sources of the rust_binary. This is different from how cc_library.linkstamps behaves.
Integeroptional0
versionA version to inject in the cargo environment variable.Stringoptional"0.0.0"

rust_static_library

load("@rules_rust//rust:defs.bzl", "rust_static_library")

rust_static_library(name, deps, srcs, data, aliases, allocator_libraries, alwayslink, compile_data,
                    crate_features, crate_name, crate_root, edition, lint_config, platform,
                    proc_macro_deps, rustc_env, rustc_env_files, rustc_flags, stamp, version)

Builds a Rust static library.

This static library will contain all transitively reachable crates and native objects. It is meant to be used when producing an artifact that is then consumed by some other build system (for example to produce an archive that Python program links against).

This rule provides CcInfo, so it can be used everywhere Bazel expects rules_cc.

When building the whole binary in Bazel, use rust_library instead.

ATTRIBUTES

NameDescriptionTypeMandatoryDefault
nameA unique name for this target.Namerequired
depsList of other libraries to be linked to this library target.

These can be either other rust_library targets or cc_library targets if linking a native library.
List of labelsoptional[]
srcsList of Rust .rs source files used to build the library.

If srcs contains more than one file, then there must be a file either named lib.rs. Otherwise, crate_root must be set to the source file that is the root of the crate to be passed to rustc to build this crate.
List of labelsoptional[]
dataList of files used by this rule at compile time and runtime.

If including data at compile time with include_str!() and similar, prefer compile_data over data, to prevent the data also being included in the runfiles.
List of labelsoptional[]
aliasesRemap crates to a new name or moniker for linkage to this target

These are other rust_library targets and will be presented as the new name given.
Dictionary: Label -> Stringoptional{}
allocator_libraries-Labeloptional"@rules_rust//ffi/rs:default_allocator_libraries"
alwayslinkIf 1, any binary that depends (directly or indirectly) on this library will link in all the object files even if some contain no symbols referenced by the binary.

This attribute is used by the C++ Starlark API when passing CcInfo providers.
BooleanoptionalFalse
compile_dataList of files used by this rule at compile time.

This attribute can be used to specify any data files that are embedded into the library, such as via the include_str! macro.
List of labelsoptional[]
crate_featuresList of features to enable for this crate.

Features are defined in the code using the #[cfg(feature = "foo")] configuration option. The features listed here will be passed to rustc with --cfg feature="${feature_name}" flags.
List of stringsoptional[]
crate_nameCrate name to use for this target.

This must be a valid Rust identifier, i.e. it may contain only alphanumeric characters and underscores. Defaults to the target name, with any hyphens replaced by underscores.
Stringoptional""
crate_rootThe file that will be passed to rustc to be used for building this crate.

If crate_root is not set, then this rule will look for a lib.rs file (or main.rs for rust_binary) or the single file in srcs if srcs contains only one file.
LabeloptionalNone
editionThe rust edition to use for this crate. Defaults to the edition specified in the rust_toolchain.Stringoptional""
lint_configSet of lints to apply when building this crate.LabeloptionalNone
platformOptional platform to transition the static library to.LabeloptionalNone
proc_macro_depsList of rust_proc_macro targets used to help build this library target.List of labelsoptional[]
rustc_envDictionary of additional "key": "value" environment variables to set for rustc.

rust_test()/rust_binary() rules can use $(rootpath //package:target) to pass in the location of a generated file or external tool. Cargo build scripts that wish to expand locations should use cargo_build_script()'s build_script_env argument instead, as build scripts are run in a different environment - see cargo_build_script()'s documentation for more.
Dictionary: String -> Stringoptional{}
rustc_env_filesFiles containing additional environment variables to set for rustc.

These files should contain a single variable per line, of format NAME=value, and newlines may be included in a value by ending a line with a trailing back-slash (\\).

The order that these files will be processed is unspecified, so multiple definitions of a particular variable are discouraged.

Note that the variables here are subject to workspace status stamping should the stamp attribute be enabled. Stamp variables should be wrapped in brackets in order to be resolved. E.g. NAME={WORKSPACE_STATUS_VARIABLE}.
List of labelsoptional[]
rustc_flagsList of compiler flags passed to rustc.

These strings are subject to Make variable expansion for predefined source/output path variables like $location, $execpath, and $rootpath. This expansion is useful if you wish to pass a generated file of arguments to rustc: @$(location //package:target).
List of stringsoptional[]
stampWhether to encode build information into the Rustc action. Possible values:

- stamp = 1: Always stamp the build information into the Rustc action, even in --nostamp builds. This setting should be avoided, since it potentially kills remote caching for the target and any downstream actions that depend on it.

- stamp = 0: Always replace build information by constant values. This gives good build result caching.

- stamp = -1: Embedding of build information is controlled by the --[no]stamp flag.

Stamped targets are not rebuilt unless their dependencies change.

For example if a rust_library is stamped, and a rust_binary depends on that library, the stamped library won't be rebuilt when we change sources of the rust_binary. This is different from how cc_library.linkstamps behaves.
Integeroptional0
versionA version to inject in the cargo environment variable.Stringoptional"0.0.0"

rust_test

load("@rules_rust//rust:defs.bzl", "rust_test")

rust_test(name, deps, srcs, data, aliases, allocator_libraries, alwayslink, compile_data, crate,
          crate_features, crate_name, crate_root, edition, env, env_inherit,
          experimental_use_cc_common_link, lint_config, malloc, platform, proc_macro_deps, rustc_env,
          rustc_env_files, rustc_flags, stamp, use_libtest_harness, version)

Builds a Rust test crate.

Examples:

Suppose you have the following directory structure for a Rust library crate with unit test code in the library sources:

[workspace]/
    WORKSPACE
    hello_lib/
        BUILD
        src/
            lib.rs

hello_lib/src/lib.rs:

#![allow(unused)]
fn main() {
pub struct Greeter {
    greeting: String,
}

impl Greeter {
    pub fn new(greeting: &str) -> Greeter {
        Greeter { greeting: greeting.to_string(), }
    }

    pub fn greet(&self, thing: &str) -> String {
        format!("{} {}", &self.greeting, thing)
    }
}

#[cfg(test)]
mod test {
    use super::Greeter;

    #[test]
    fn test_greeting() {
        let hello = Greeter::new("Hi");
        assert_eq!("Hi Rust", hello.greet("Rust"));
    }
}
}

To build and run the tests, simply add a rust_test rule with no srcs and only depends on the hello_lib rust_library target via the crate attribute:

hello_lib/BUILD:

load("@rules_rust//rust:defs.bzl", "rust_library", "rust_test")

rust_library(
    name = "hello_lib",
    srcs = ["src/lib.rs"],
)

rust_test(
    name = "hello_lib_test",
    crate = ":hello_lib",
    # You may add other deps that are specific to the test configuration
    deps = ["//some/dev/dep"],
)

Run the test with bazel test //hello_lib:hello_lib_test.

Example: test directory

Integration tests that live in the tests directory, they are essentially built as separate crates. Suppose you have the following directory structure where greeting.rs is an integration test for the hello_lib library crate:

[workspace]/
    WORKSPACE
    hello_lib/
        BUILD
        src/
            lib.rs
        tests/
            greeting.rs

hello_lib/tests/greeting.rs:

#![allow(unused)]
fn main() {
extern crate hello_lib;

use hello_lib;

#[test]
fn test_greeting() {
    let hello = greeter::Greeter::new("Hello");
    assert_eq!("Hello world", hello.greeting("world"));
}
}

To build the greeting.rs integration test, simply add a rust_test target with greeting.rs in srcs and a dependency on the hello_lib target:

hello_lib/BUILD:

load("@rules_rust//rust:defs.bzl", "rust_library", "rust_test")

rust_library(
    name = "hello_lib",
    srcs = ["src/lib.rs"],
)

rust_test(
    name = "greeting_test",
    srcs = ["tests/greeting.rs"],
    deps = [":hello_lib"],
)

Run the test with bazel test //hello_lib:greeting_test.

ATTRIBUTES

NameDescriptionTypeMandatoryDefault
nameA unique name for this target.Namerequired
depsList of other libraries to be linked to this library target.

These can be either other rust_library targets or cc_library targets if linking a native library.
List of labelsoptional[]
srcsList of Rust .rs source files used to build the library.

If srcs contains more than one file, then there must be a file either named lib.rs. Otherwise, crate_root must be set to the source file that is the root of the crate to be passed to rustc to build this crate.
List of labelsoptional[]
dataList of files used by this rule at compile time and runtime.

If including data at compile time with include_str!() and similar, prefer compile_data over data, to prevent the data also being included in the runfiles.
List of labelsoptional[]
aliasesRemap crates to a new name or moniker for linkage to this target

These are other rust_library targets and will be presented as the new name given.
Dictionary: Label -> Stringoptional{}
allocator_libraries-Labeloptional"@rules_rust//ffi/rs:default_allocator_libraries"
alwayslinkIf 1, any binary that depends (directly or indirectly) on this library will link in all the object files even if some contain no symbols referenced by the binary.

This attribute is used by the C++ Starlark API when passing CcInfo providers.
BooleanoptionalFalse
compile_dataList of files used by this rule at compile time.

This attribute can be used to specify any data files that are embedded into the library, such as via the include_str! macro.
List of labelsoptional[]
crateTarget inline tests declared in the given crate

These tests are typically those that would be held out under #[cfg(test)] declarations.
LabeloptionalNone
crate_featuresList of features to enable for this crate.

Features are defined in the code using the #[cfg(feature = "foo")] configuration option. The features listed here will be passed to rustc with --cfg feature="${feature_name}" flags.
List of stringsoptional[]
crate_nameCrate name to use for this target.

This must be a valid Rust identifier, i.e. it may contain only alphanumeric characters and underscores. Defaults to the target name, with any hyphens replaced by underscores.
Stringoptional""
crate_rootThe file that will be passed to rustc to be used for building this crate.

If crate_root is not set, then this rule will look for a lib.rs file (or main.rs for rust_binary) or the single file in srcs if srcs contains only one file.
LabeloptionalNone
editionThe rust edition to use for this crate. Defaults to the edition specified in the rust_toolchain.Stringoptional""
envSpecifies additional environment variables to set when the test is executed by bazel test. Values are subject to $(rootpath), $(execpath), location, and "Make variable" substitution.Dictionary: String -> Stringoptional{}
env_inheritSpecifies additional environment variables to inherit from the external environment when the test is executed by bazel test.List of stringsoptional[]
experimental_use_cc_common_linkWhether to use cc_common.link to link rust binaries. Possible values: [-1, 0, 1]. -1 means use the value of the toolchain.experimental_use_cc_common_link boolean build setting to determine. 0 means do not use cc_common.link (use rustc instead). 1 means use cc_common.link.Integeroptional-1
lint_configSet of lints to apply when building this crate.LabeloptionalNone
mallocOverride the default dependency on malloc.

By default, Rust binaries linked with cc_common.link are linked against @bazel_tools//tools/cpp:malloc", which is an empty library and the resulting binary will use libc's malloc. This label must refer to a cc_library rule.
Labeloptional"@bazel_tools//tools/cpp:malloc"
platformOptional platform to transition the test to.LabeloptionalNone
proc_macro_depsList of rust_proc_macro targets used to help build this library target.List of labelsoptional[]
rustc_envDictionary of additional "key": "value" environment variables to set for rustc.

rust_test()/rust_binary() rules can use $(rootpath //package:target) to pass in the location of a generated file or external tool. Cargo build scripts that wish to expand locations should use cargo_build_script()'s build_script_env argument instead, as build scripts are run in a different environment - see cargo_build_script()'s documentation for more.
Dictionary: String -> Stringoptional{}
rustc_env_filesFiles containing additional environment variables to set for rustc.

These files should contain a single variable per line, of format NAME=value, and newlines may be included in a value by ending a line with a trailing back-slash (\\).

The order that these files will be processed is unspecified, so multiple definitions of a particular variable are discouraged.

Note that the variables here are subject to workspace status stamping should the stamp attribute be enabled. Stamp variables should be wrapped in brackets in order to be resolved. E.g. NAME={WORKSPACE_STATUS_VARIABLE}.
List of labelsoptional[]
rustc_flagsList of compiler flags passed to rustc.

These strings are subject to Make variable expansion for predefined source/output path variables like $location, $execpath, and $rootpath. This expansion is useful if you wish to pass a generated file of arguments to rustc: @$(location //package:target).
List of stringsoptional[]
stampWhether to encode build information into the Rustc action. Possible values:

- stamp = 1: Always stamp the build information into the Rustc action, even in --nostamp builds. This setting should be avoided, since it potentially kills remote caching for the target and any downstream actions that depend on it.

- stamp = 0: Always replace build information by constant values. This gives good build result caching.

- stamp = -1: Embedding of build information is controlled by the --[no]stamp flag.

Stamped targets are not rebuilt unless their dependencies change.

For example if a rust_library is stamped, and a rust_binary depends on that library, the stamped library won't be rebuilt when we change sources of the rust_binary. This is different from how cc_library.linkstamps behaves.
Integeroptional0
use_libtest_harnessWhether to use libtest. For targets using this flag, individual tests can be run by using the --test_arg flag. E.g. bazel test //src:rust_test --test_arg=foo::test::test_fn.BooleanoptionalTrue
versionA version to inject in the cargo environment variable.Stringoptional"0.0.0"

rust_unpretty

load("@rules_rust//rust:defs.bzl", "rust_unpretty")

rust_unpretty(name, deps, mode)

Executes rust unpretty on a specific target.

Similar to rust_unpretty_aspect, but allows specifying a list of dependencies within the build system.

For example, given the following example targets:

load("@rules_rust//rust:defs.bzl", "rust_library", "rust_test")

rust_library(
    name = "hello_lib",
    srcs = ["src/lib.rs"],
)

rust_test(
    name = "greeting_test",
    srcs = ["tests/greeting.rs"],
    deps = [":hello_lib"],
)

Rust expand can be set as a build target with the following:

load("@rules_rust//rust:defs.bzl", "rust_unpretty")

rust_unpretty(
    name = "hello_library_expand",
    testonly = True,
    deps = [
        ":hello_lib",
        ":greeting_test",
    ],
    mode = "expand",
)

ATTRIBUTES

NameDescriptionTypeMandatoryDefault
nameA unique name for this target.Namerequired
depsRust targets to run unpretty on.List of labelsoptional[]
modeThe value to pass to --unprettyStringoptional"expanded"

rust_test_suite

load("@rules_rust//rust:defs.bzl", "rust_test_suite")

rust_test_suite(name, srcs, shared_srcs, **kwargs)

A rule for creating a test suite for a set of rust_test targets.

This rule can be used for setting up typical rust integration tests. Given the following directory structure:

[crate]/
    BUILD.bazel
    src/
        lib.rs
        main.rs
    tests/
        integrated_test_a.rs
        integrated_test_b.rs
        integrated_test_c.rs
        patterns/
            fibonacci_test.rs
        helpers/
            mod.rs

The rule can be used to generate rust_test targets for each source file under tests and a test_suite which encapsulates all tests.

load("//rust:defs.bzl", "rust_binary", "rust_library", "rust_test_suite")

rust_library(
    name = "math_lib",
    srcs = ["src/lib.rs"],
)

rust_binary(
    name = "math_bin",
    srcs = ["src/main.rs"],
)

rust_test_suite(
    name = "integrated_tests_suite",
    srcs = glob(["tests/**"]),
    shared_srcs=glob(["tests/helpers/**"]),
    deps = [":math_lib"],
)

PARAMETERS

NameDescriptionDefault Value
nameThe name of the test_suite.none
srcsAll test sources, typically glob(["tests/**/*.rs"]).none
shared_srcsOptional argument for sources shared among tests, typically helper functions.[]
kwargsAdditional keyword arguments for the underlying rust_test targets. The tags argument is also passed to the generated test_suite target.none

rust_unpretty_aspect

load("@rules_rust//rust:defs.bzl", "rust_unpretty_aspect")

rust_unpretty_aspect()

Executes Rust expand on specified targets.

This aspect applies to existing rust_library, rust_test, and rust_binary rules.

As an example, if the following is defined in examples/hello_lib/BUILD.bazel:

load("@rules_rust//rust:defs.bzl", "rust_library", "rust_test")

rust_library(
    name = "hello_lib",
    srcs = ["src/lib.rs"],
)

rust_test(
    name = "greeting_test",
    srcs = ["tests/greeting.rs"],
    deps = [":hello_lib"],
)

Then the targets can be expanded with the following command:

$ bazel build --aspects=@rules_rust//rust:defs.bzl%rust_unpretty_aspect \
              --output_groups=rust_unpretty_expanded \
              //hello_lib:all

ASPECT ATTRIBUTES

ATTRIBUTES

Overview

Clippy is a tool for catching common mistakes in Rust code and improving it. An expansive list of lints and the justification can be found in their documentation.

Setup

Simply add the following to the .bazelrc file in the root of your workspace:

build --aspects=@rules_rust//rust:defs.bzl%rust_clippy_aspect
build --output_groups=+clippy_checks

This will enable clippy on all Rust targets.

Note that targets tagged with no-clippy will not perform clippy checks

To use a local clippy.toml, add the following flag to your .bazelrc. Note that due to the upstream implementation of clippy, this file must be named either .clippy.toml or clippy.toml. Using a custom config file requires Rust 1.34.0 or newer.

build --@rules_rust//rust/settings:clippy.toml=//:clippy.toml

Rules

Aspects

rust_clippy

load("@rules_rust//rust:defs.bzl", "rust_clippy")

rust_clippy(name, deps)

Executes the clippy checker on a specific target.

Similar to rust_clippy_aspect, but allows specifying a list of dependencies within the build system.

For example, given the following example targets:

load("@rules_rust//rust:defs.bzl", "rust_library", "rust_test")

rust_library(
    name = "hello_lib",
    srcs = ["src/lib.rs"],
)

rust_test(
    name = "greeting_test",
    srcs = ["tests/greeting.rs"],
    deps = [":hello_lib"],
)

Rust clippy can be set as a build target with the following:

load("@rules_rust//rust:defs.bzl", "rust_clippy")

rust_clippy(
    name = "hello_library_clippy",
    testonly = True,
    deps = [
        ":hello_lib",
        ":greeting_test",
    ],
)

ATTRIBUTES

NameDescriptionTypeMandatoryDefault
nameA unique name for this target.Namerequired
depsRust targets to run clippy on.List of labelsoptional[]

rust_clippy_aspect

load("@rules_rust//rust:defs.bzl", "rust_clippy_aspect")

rust_clippy_aspect()

Executes the clippy checker on specified targets.

This aspect applies to existing rust_library, rust_test, and rust_binary rules.

As an example, if the following is defined in examples/hello_lib/BUILD.bazel:

load("@rules_rust//rust:defs.bzl", "rust_library", "rust_test")

rust_library(
    name = "hello_lib",
    srcs = ["src/lib.rs"],
)

rust_test(
    name = "greeting_test",
    srcs = ["tests/greeting.rs"],
    deps = [":hello_lib"],
)

Then the targets can be analyzed with clippy using the following command:

$ bazel build --aspects=@rules_rust//rust:defs.bzl%rust_clippy_aspect               --output_groups=clippy_checks //hello_lib:all

ASPECT ATTRIBUTES

ATTRIBUTES

Overview

Rustfmt is a tool for formatting Rust code according to style guidelines. By default, Rustfmt uses a style which conforms to the Rust style guide that has been formalized through the style RFC process. A complete list of all configuration options can be found in the Rustfmt GitHub Pages.

Setup

Formatting your Rust targets' source code requires no setup outside of loading rules_rust in your workspace. Simply run bazel run @rules_rust//:rustfmt to format source code.

In addition to this formatter, a simple check can be performed using the rustfmt_aspect aspect by running

bazel build --aspects=@rules_rust//rust:defs.bzl%rustfmt_aspect --output_groups=rustfmt_checks

Add the following to a .bazelrc file to enable this check during the build phase.

build --aspects=@rules_rust//rust:defs.bzl%rustfmt_aspect
build --output_groups=+rustfmt_checks

It's recommended to only enable this aspect in your CI environment so formatting issues do not impact user's ability to rapidly iterate on changes.

The rustfmt_aspect also uses a --@rules_rust//rust/settings:rustfmt.toml setting which determines the configuration file used by the formatter (@rules_rust//tools/rustfmt) and the aspect (rustfmt_aspect). This flag can be added to your .bazelrc file to ensure a consistent config file is used whenever rustfmt is run:

build --@rules_rust//rust/settings:rustfmt.toml=//:rustfmt.toml

Tips

Any target which uses Bazel generated sources will cause the @rules_rust//tools/rustfmt tool to fail with failed to resolve mod `MOD` . To avoid failures, skip_children = true is recommended to be set in the workspace's rustfmt.toml file which allows rustfmt to run on these targets without failing.

Rules

Aspects

rustfmt_test

load("@rules_rust//rust:defs.bzl", "rustfmt_test")

rustfmt_test(name, targets)

A test rule for performing rustfmt --check on a set of targets

ATTRIBUTES

NameDescriptionTypeMandatoryDefault
nameA unique name for this target.Namerequired
targetsRust targets to run rustfmt --check on.List of labelsoptional[]

rustfmt_aspect

load("@rules_rust//rust:defs.bzl", "rustfmt_aspect")

rustfmt_aspect()

This aspect is used to gather information about a crate for use in rustfmt and perform rustfmt checks

Output Groups:

  • rustfmt_checks: Executes rustfmt --check on the specified target.

The build setting @rules_rust//rust/settings:rustfmt.toml is used to control the Rustfmt configuration settings used at runtime.

This aspect is executed on any target which provides the CrateInfo provider. However users may tag a target with no-rustfmt or no-format to have it skipped. Additionally, generated source files are also ignored by this aspect.

ASPECT ATTRIBUTES

ATTRIBUTES

Public entry point to all Rust rules and supported APIs.

Rules

rust_doc

load("@rules_rust//rust:defs.bzl", "rust_doc")

rust_doc(name, crate, crate_features, html_after_content, html_before_content, html_in_header,
         markdown_css, rustc_flags, rustdoc_flags)

Generates code documentation.

Example: Suppose you have the following directory structure for a Rust library crate:

[workspace]/
    WORKSPACE
    hello_lib/
        BUILD
        src/
            lib.rs

To build rustdoc documentation for the hello_lib crate, define a rust_doc rule that depends on the the hello_lib rust_library target:

package(default_visibility = ["//visibility:public"])

load("@rules_rust//rust:defs.bzl", "rust_library", "rust_doc")

rust_library(
    name = "hello_lib",
    srcs = ["src/lib.rs"],
)

rust_doc(
    name = "hello_lib_doc",
    crate = ":hello_lib",
)

Running bazel build //hello_lib:hello_lib_doc will build a zip file containing the documentation for the hello_lib library crate generated by rustdoc.

ATTRIBUTES

NameDescriptionTypeMandatoryDefault
nameA unique name for this target.Namerequired
crateThe label of the target to generate code documentation for.

rust_doc can generate HTML code documentation for the source files of rust_library or rust_binary targets.
Labelrequired
crate_featuresList of features to enable for the crate being documented.List of stringsoptional[]
html_after_contentFile to add in <body>, after content.LabeloptionalNone
html_before_contentFile to add in <body>, before content.LabeloptionalNone
html_in_headerFile to add to <head>.LabeloptionalNone
markdown_cssCSS files to include via <link> in a rendered Markdown file.List of labelsoptional[]
rustc_flagsDeprecated: use rustdoc_flags insteadList of stringsoptional[]
rustdoc_flagsList of flags passed to rustdoc.

These strings are subject to Make variable expansion for predefined source/output path variables like $location, $execpath, and $rootpath. This expansion is useful if you wish to pass a generated file of arguments to rustc: @$(location //package:target).
List of stringsoptional[]

rust_doc_test

load("@rules_rust//rust:defs.bzl", "rust_doc_test")

rust_doc_test(name, deps, crate, crate_features, proc_macro_deps, rustdoc_flags)

Runs Rust documentation tests.

Example:

Suppose you have the following directory structure for a Rust library crate:

[workspace]/
WORKSPACE
hello_lib/
    BUILD
    src/
        lib.rs

To run documentation tests for the hello_lib crate, define a rust_doc_test target that depends on the hello_lib rust_library target:

package(default_visibility = ["//visibility:public"])

load("@rules_rust//rust:defs.bzl", "rust_library", "rust_doc_test")

rust_library(
    name = "hello_lib",
    srcs = ["src/lib.rs"],
)

rust_doc_test(
    name = "hello_lib_doc_test",
    crate = ":hello_lib",
)

Running bazel test //hello_lib:hello_lib_doc_test will run all documentation tests for the hello_lib library crate.

ATTRIBUTES

NameDescriptionTypeMandatoryDefault
nameA unique name for this target.Namerequired
depsList of other libraries to be linked to this library target.

These can be either other rust_library targets or cc_library targets if linking a native library.
List of labelsoptional[]
crateThe label of the target to generate code documentation for. rust_doc_test can generate HTML code documentation for the source files of rust_library or rust_binary targets.Labelrequired
crate_featuresList of features to enable for the crate being documented.List of stringsoptional[]
proc_macro_depsList of rust_proc_macro targets used to help build this library target.List of labelsoptional[]
rustdoc_flagsList of flags passed to rustdoc.

These strings are subject to Make variable expansion for predefined source/output path variables like $location, $execpath, and $rootpath. This expansion is useful if you wish to pass a generated file of arguments to rustc: @$(location //package:target).
List of stringsoptional[]

Cargo

Common definitions for the @rules_rust//cargo package

Rules

Functions

Repository Rules

cargo_dep_env

load("@rules_rust//cargo:defs.bzl", "cargo_dep_env")

cargo_dep_env(name, src, out_dir)

A rule for generating variables for dependent cargo_build_scripts without a build script. This is useful for using Bazel rules instead of a build script, while also generating configuration information for build scripts which depend on this crate.

ATTRIBUTES

NameDescriptionTypeMandatoryDefault
nameA unique name for this target.Namerequired
srcFile containing additional environment variables to set for build scripts of direct dependencies.

This has the same effect as a cargo_build_script which prints cargo:VAR=VALUE lines, but without requiring a build script.

This files should contain a single variable per line, of format NAME=value, and newlines may be included in a value by ending a line with a trailing back-slash (\\).
Labelrequired
out_dirFolder containing additional inputs when building all direct dependencies.

This has the same effect as a cargo_build_script which prints puts files into $OUT_DIR, but without requiring a build script.
LabeloptionalNone

extract_cargo_lints

load("@rules_rust//cargo:defs.bzl", "extract_cargo_lints")

extract_cargo_lints(name, manifest, workspace)

ATTRIBUTES

NameDescriptionTypeMandatoryDefault
nameA unique name for this target.Namerequired
manifestCargo.toml to read lints from.Labelrequired
workspaceWorkspace Cargo.toml that the manifest Cargo.toml inherits from.LabeloptionalNone

cargo_build_script

load("@rules_rust//cargo:defs.bzl", "cargo_build_script")

cargo_build_script(*, name, edition, crate_name, crate_root, srcs, crate_features, version, deps,
                   link_deps, proc_macro_deps, build_script_env, build_script_env_files,
                   use_default_shell_env, data, compile_data, tools, links, rundir, rustc_env,
                   rustc_env_files, rustc_flags, visibility, tags, aliases, pkg_name, **kwargs)

Compile and execute a rust build script to generate build attributes

This rules take the same arguments as rust_binary.

Example:

Suppose you have a crate with a cargo build script build.rs:

[workspace]/
    hello_lib/
        BUILD
        build.rs
        src/
            lib.rs

Then you want to use the build script in the following:

hello_lib/BUILD:

package(default_visibility = ["//visibility:public"])

load("@rules_rust//rust:defs.bzl", "rust_binary", "rust_library")
load("@rules_rust//cargo:defs.bzl", "cargo_build_script")

# This will run the build script from the root of the workspace, and
# collect the outputs.
cargo_build_script(
    name = "build_script",
    srcs = ["build.rs"],
    # Optional environment variables passed during build.rs compilation
    rustc_env = {
       "CARGO_PKG_VERSION": "0.1.2",
    },
    # Optional environment variables passed during build.rs execution.
    # Note that as the build script's working directory is not execroot,
    # execpath/location will return an absolute path, instead of a relative
    # one.
    build_script_env = {
        "SOME_TOOL_OR_FILE": "$(execpath @tool//:binary)"
    },
    # Optional data/tool dependencies
    data = ["@tool//:binary"],
)

rust_library(
    name = "hello_lib",
    srcs = [
        "src/lib.rs",
    ],
    deps = [":build_script"],
)

The hello_lib target will be build with the flags and the environment variables declared by the build script in addition to the file generated by it.

PARAMETERS

NameDescriptionDefault Value
nameThe name for the underlying rule. This should be the name of the package being compiled, optionally with a suffix of _bs. Otherwise, you can set the package name via pkg_name.none
editionThe rust edition to use for the internal binary crate.None
crate_nameCrate name to use for build script.None
crate_rootThe file that will be passed to rustc to be used for building this crate.None
srcsSource files of the crate to build. Passing source files here can be used to trigger rebuilds when changes are made.[]
crate_featuresA list of features to enable for the build script.[]
versionThe semantic version (semver) of the crate.None
depsThe build-dependencies of the crate.[]
link_depsThe subset of the (normal) dependencies of the crate that have the links attribute and therefore provide environment variables to this build script.[]
proc_macro_depsList of rust_proc_macro targets used to build the script.[]
build_script_envEnvironment variables for build scripts.{}
build_script_env_filesFiles containing additional environment variables to set when running the build script.[]
use_default_shell_envWhether or not to include the default shell environment for the build script action. If unset the global setting @rules_rust//cargo/settings:use_default_shell_env will be used to determine this value.None
dataFiles needed by the build script.[]
compile_dataFiles needed for the compilation of the build script.[]
toolsTools (executables) needed by the build script.[]
linksName of the native library this crate links against.None
rundirA directory to cd to before the cargo_build_script is run. This should be a path relative to the exec root.

The default behaviour (and the behaviour if rundir is set to the empty string) is to change to the relative path corresponding to the cargo manifest directory, which replicates the normal behaviour of cargo so it is easy to write compatible build scripts.

If set to ., the cargo build script will run in the exec root.
None
rustc_envEnvironment variables to set in rustc when compiling the build script.{}
rustc_env_filesFiles containing additional environment variables to set for rustc when building the build script.[]
rustc_flagsList of compiler flags passed to rustc.[]
visibilityVisibility to apply to the generated build script output.None
tags(list of str, optional): Tags to apply to the generated build script output.None
aliasesRemap crates to a new name or moniker for linkage to this target. These are other rust_library targets and will be presented as the new name given.None
pkg_nameOverride the package name used for the build script. This is useful if the build target name gets too long otherwise.None
kwargsForwards to the underlying rust_binary rule. An exception is the compatible_with attribute, which shouldn't be forwarded to the rust_binary, as the rust_binary is only built and used in exec mode. We propagate the compatible_with attribute to the _build_script_run target.none

cargo_env

load("@rules_rust//cargo:defs.bzl", "cargo_env")

cargo_env(env)

A helper for generating platform specific environment variables

load("@rules_rust//rust:defs.bzl", "rust_common")
load("@rules_rust//cargo:defs.bzl", "cargo_bootstrap_repository", "cargo_env")

cargo_bootstrap_repository(
    name = "bootstrapped_bin",
    cargo_lockfile = "//:Cargo.lock",
    cargo_toml = "//:Cargo.toml",
    srcs = ["//:resolver_srcs"],
    version = rust_common.default_version,
    binary = "my-crate-binary",
    env = {
        "x86_64-unknown-linux-gnu": cargo_env({
            "FOO": "BAR",
        }),
    },
    env_label = {
        "aarch64-unknown-linux-musl": cargo_env({
            "DOC": "//:README.md",
        }),
    }
)

PARAMETERS

NameDescriptionDefault Value
envA map of environment variablesnone

RETURNS

str: A json encoded string of the environment variables

cargo_bootstrap_repository

load("@rules_rust//cargo:defs.bzl", "cargo_bootstrap_repository")

cargo_bootstrap_repository(name, srcs, binary, build_mode, cargo_config, cargo_lockfile, cargo_toml,
                           compressed_windows_toolchain_names, env, env_label, repo_mapping,
                           rust_toolchain_cargo_template, rust_toolchain_rustc_template, timeout,
                           version)

A rule for bootstrapping a Rust binary using Cargo

ATTRIBUTES

NameDescriptionTypeMandatoryDefault
nameA unique name for this repository.Namerequired
srcsSource files of the crate to build. Passing source files here can be used to trigger rebuilds when changes are madeList of labelsoptional[]
binaryThe binary to build (the --bin parameter for Cargo). If left empty, the repository name will be used.Stringoptional""
build_modeThe build mode the binary should be built withStringoptional"release"
cargo_configThe path of the Cargo configuration (Config.toml) file.LabeloptionalNone
cargo_lockfileThe lockfile of the crate_universe resolverLabelrequired
cargo_tomlThe path of the Cargo.toml file.Labelrequired
compressed_windows_toolchain_namesWhether or not the toolchain names of windows toolchains are expected to be in a compressed format.BooleanoptionalTrue
envA mapping of platform triple to a set of environment variables. See cargo_env for usage details. Additionally, the platform triple * applies to all platforms.Dictionary: String -> Stringoptional{}
env_labelA mapping of platform triple to a set of environment variables. This attribute differs from env in that all variables passed here must be fully qualified labels of files. See cargo_env for usage details. Additionally, the platform triple * applies to all platforms.Dictionary: String -> Stringoptional{}
repo_mappingIn WORKSPACE context only: a dictionary from local repository name to global repository name. This allows controls over workspace dependency resolution for dependencies of this repository.

For example, an entry "@foo": "@bar" declares that, for any time this repository depends on @foo (such as a dependency on @foo//some:target, it should actually resolve that dependency within globally-declared @bar (@bar//some:target).

This attribute is not supported in MODULE.bazel context (when invoking a repository rule inside a module extension's implementation function).
Dictionary: String -> Stringoptional
rust_toolchain_cargo_templateThe template to use for finding the host cargo binary. {version} (eg. '1.53.0'), {triple} (eg. 'x86_64-unknown-linux-gnu'), {arch} (eg. 'aarch64'), {vendor} (eg. 'unknown'), {system} (eg. 'darwin'), {channel} (eg. 'stable'), and {tool} (eg. 'rustc.exe') will be replaced in the string if present.Stringoptional"@rust_{system}_{arch}__{triple}__{channel}_tools//:bin/{tool}"
rust_toolchain_rustc_templateThe template to use for finding the host rustc binary. {version} (eg. '1.53.0'), {triple} (eg. 'x86_64-unknown-linux-gnu'), {arch} (eg. 'aarch64'), {vendor} (eg. 'unknown'), {system} (eg. 'darwin'), {channel} (eg. 'stable'), and {tool} (eg. 'rustc.exe') will be replaced in the string if present.Stringoptional"@rust_{system}_{arch}__{triple}__{channel}_tools//:bin/{tool}"
timeoutMaximum duration of the Cargo build command in secondsIntegeroptional600
versionThe version of Rust the currently registered toolchain is using. Eg. 1.56.0, or nightly/2021-09-08Stringoptional"1.86.0"

Rust Analyzer

For non-Cargo projects, rust-analyzer depends on either a rust-project.json file at the root of the project that describes its structure or on build system specific project auto-discovery. The rust_analyzer rules facilitate both approaches.

rust-project.json approach

Setup

Bzlmod

First, ensure rules_rust is setup in your workspace:

# MODULE.bazel

# See releases page for available versions:
# https://github.com/bazelbuild/rules_rust/releases
bazel_dep(name = "rules_rust", version = "{SEE_RELEASES}")

Bazel will create the target @rules_rust//tools/rust_analyzer:gen_rust_project, which you can build with

bazel run @rules_rust//tools/rust_analyzer:gen_rust_project

whenever dependencies change to regenerate the rust-project.json file. It should be added to .gitignore because it is effectively a build artifact. Once the rust-project.json has been generated in the project root, rust-analyzer can pick it up upon restart.

WORKSPACE

Alternatively, you can use the legacy WORKSPACE approach. As with Bzlmod, ensure rules_rust is setup in your workspace.

Moreover, when loading the dependencies for the tool, you should call the function rust_analyzer_dependencies():

load("@rules_rust//tools/rust_analyzer:deps.bzl", "rust_analyzer_dependencies")

rust_analyzer_dependencies()

Again, you can now run bazel run @rules_rust//tools/rust_analyzer:gen_rust_project whenever dependencies change to regenerate the rust-project.json file.

For users who do not use rust_register_toolchains to register toolchains, the following can be added to their WORKSPACE to register a rust_analyzer_toolchain. Please make sure the Rust version used in this toolchain matches the version used by the currently registered toolchain or the sources/documentation will not match what's being compiled with and can lead to confusing results.

load("@rules_rust//rust:repositories.bzl", "rust_analyzer_toolchain_repository")

register_toolchains(rust_analyzer_toolchain_repository(
    name = "rust_analyzer_toolchain",
    # This should match the currently registered toolchain.
    version = "1.63.0",
))

VSCode

To set this up using VSCode, users should first install the rust_analyzer plugin. With that in place, the following task can be added to the .vscode/tasks.json file of the workspace to ensure a rust-project.json file is created and up to date when the editor is opened.

{
    "version": "2.0.0",
    "tasks": [
        {
            "label": "Generate rust-project.json",
            "command": "bazel",
            "args": [
                "run",
                "@rules_rust//tools/rust_analyzer:gen_rust_project"
            ],
            "options": {
                "cwd": "${workspaceFolder}"
            },
            "group": "build",
            "problemMatcher": [],
            "presentation": {
                "reveal": "never",
                "panel": "dedicated"
            },
            "runOptions": {
                "runOn": "folderOpen"
            }
        }
    ]
}

Alternative vscode option (prototype)

Add the following to your bazelrc:

build --@rules_rust//rust/settings:rustc_output_diagnostics=true --output_groups=+rust_lib_rustc_output,+rust_metadata_rustc_output

Then you can use a prototype rust-analyzer plugin that automatically collects the outputs whenever you recompile.

Project auto-discovery

Setup

Auto-discovery makes rust-analyzer behave in a Bazel project in a similar fashion to how it does in a Cargo project. This is achieved by generating a structure similar to what rust-project.json contains but, instead of writing that to a file, the data gets piped to rust-analyzer directly through stdout. To use auto-discovery the rust-analyzer IDE settings must be configured similar to:

"rust-analyzer": {
    "workspace": {
        "discoverConfig": {
            "command": ["discover_bazel_rust_project.sh"],
            "progressLabel": "rust_analyzer",
            "filesToWatch": ["BUILD", "BUILD.bazel", "MODULE.bazel"]
        }
    }
}

The shell script passed to discoverConfig.command is typically meant to wrap the bazel rule invocation, primarily for muting stderr (because rust-analyzer will consider that an error has occurred if anything is passed through stderr) and, additionally, for specifying rule arguments. E.g:

#!/usr/bin/bash

bazel \
    run \
    @rules_rust//tools/rust_analyzer:discover_bazel_rust_project -- \
    --bazel_startup_option=--output_base=~/ide_bazel \
    --bazel_arg=--watchfs \
    ${1:+"$1"} 2>/dev/null

The script above also handles an optional CLI argument which gets passed when workspace splitting is enabled. The script path should be either absolute or relative to the project root.

Workspace splitting

The above configuration treats the entire project as a single workspace. However, large codebases might be too much to handle for rust-analyzer all at once. This can be addressed by splitting the codebase in multiple workspaces by extending the discoverConfig.command setting:

"rust-analyzer": {
    "workspace": {
        "discoverConfig": {
            "command": ["discover_bazel_rust_project.sh", "{arg}"],
            "progressLabel": "rust_analyzer",
            "filesToWatch": ["BUILD", "BUILD.bazel", "MODULE.bazel"]
        }
    }
}

{arg} acts as a placeholder that rust-analyzer replaces with the path of the source / build file that gets opened.

The root of the workspace will, in this configuration, be the package the crate currently being worked on belongs to. This means that only that package and its dependencies get built and indexed by rust-analyzer, thus allowing for a smaller footprint.

rust-analyzer will switch workspaces whenever an out-of-tree file gets opened, essentially indexing that crate and its dependencies separately. A caveat of this is that dependents of the crate currently being worked on are not indexed and won't be tracked by rust-analyzer.

Public entry point to all Rust rules and supported APIs.

Rules

Aspects

rust_unpretty

load("@rules_rust//rust:defs.bzl", "rust_unpretty")

rust_unpretty(name, deps, mode)

Executes rust unpretty on a specific target.

Similar to rust_unpretty_aspect, but allows specifying a list of dependencies within the build system.

For example, given the following example targets:

load("@rules_rust//rust:defs.bzl", "rust_library", "rust_test")

rust_library(
    name = "hello_lib",
    srcs = ["src/lib.rs"],
)

rust_test(
    name = "greeting_test",
    srcs = ["tests/greeting.rs"],
    deps = [":hello_lib"],
)

Rust expand can be set as a build target with the following:

load("@rules_rust//rust:defs.bzl", "rust_unpretty")

rust_unpretty(
    name = "hello_library_expand",
    testonly = True,
    deps = [
        ":hello_lib",
        ":greeting_test",
    ],
    mode = "expand",
)

ATTRIBUTES

NameDescriptionTypeMandatoryDefault
nameA unique name for this target.Namerequired
depsRust targets to run unpretty on.List of labelsoptional[]
modeThe value to pass to --unprettyStringoptional"expanded"

rust_unpretty_aspect

load("@rules_rust//rust:defs.bzl", "rust_unpretty_aspect")

rust_unpretty_aspect()

Executes Rust expand on specified targets.

This aspect applies to existing rust_library, rust_test, and rust_binary rules.

As an example, if the following is defined in examples/hello_lib/BUILD.bazel:

load("@rules_rust//rust:defs.bzl", "rust_library", "rust_test")

rust_library(
    name = "hello_lib",
    srcs = ["src/lib.rs"],
)

rust_test(
    name = "greeting_test",
    srcs = ["tests/greeting.rs"],
    deps = [":hello_lib"],
)

Then the targets can be expanded with the following command:

$ bazel build --aspects=@rules_rust//rust:defs.bzl%rust_unpretty_aspect \
              --output_groups=rust_unpretty_expanded \
              //hello_lib:all

ASPECT ATTRIBUTES

ATTRIBUTES

Settings

Flags which control granular behavior of various Rust rules.

Rust settings

Definitions for all @rules_rust//rust settings

always_enable_metadata_output_groups

--@rules_rust//rust/settings:always_enable_metadata_output_groups

A flag to enable the always_enable_metadata_output_groups setting.

If this flag is true, all rules will support the metadata and rustc_rmeta_output output groups.

capture_clippy_output

--@rules_rust//rust/settings:capture_clippy_output

Control whether to print clippy output or store it to a file, using the configured error_format.

clippy_error_format

--@rules_rust//rust/settings:clippy_error_format

This setting may be changed from the command line to generate machine readable errors.

clippy_flag

--@rules_rust//rust/settings:clippy_flag

Add a custom clippy flag from the command line with --@rules_rust//rust/settings:clippy_flag.

Multiple uses are accumulated and appended after the extra_rustc_flags.

clippy_flags

--@rules_rust//rust/settings:clippy_flags

This setting may be used to pass extra options to clippy from the command line.

It applies across all targets.

clippy_output_diagnostics

--@rules_rust//rust/settings:clippy_output_diagnostics

A flag to enable the clippy_output_diagnostics setting.

If this flag is true, rules_rust will save clippy json output (suitable for consumption by rust-analyzer) in a file, available from the clippy_output output group. This is the clippy equivalent of rustc_output_diagnostics.

clippy_toml

--@rules_rust//rust/settings:clippy_toml

This setting is used by the clippy rules. See https://bazelbuild.github.io/rules_rust/rust_clippy.html

Note that this setting is actually called clippy.toml.

codegen_units

--@rules_rust//rust/settings:codegen_units

The default value for --codegen-units which also affects resource allocation for rustc actions.

Note that any value 0 or less will prevent this flag from being passed by Bazel and allow rustc to perform it's default behavior.

https://doc.rust-lang.org/rustc/codegen-options/index.html#codegen-units

collect_cfgs

--@rules_rust//rust/settings:collect_cfgs

Enable collection of cfg flags with results stored in CrateInfo.cfgs.

error_format

--@rules_rust//rust/settings:error_format

This setting may be changed from the command line to generate machine readable errors.

--@rules_rust//rust/settings:experimental_link_std_dylib

A flag to control whether to link libstd dynamically.

experimental_per_crate_rustc_flag

--@rules_rust//rust/settings:experimental_per_crate_rustc_flag

Add additional rustc_flag to matching crates from the command line with --@rules_rust//rust/settings:experimental_per_crate_rustc_flag.

The expected flag format is prefix_filter@flag, where any crate with a label or execution path starting with the prefix filter will be built with the given flag. The label matching uses the canonical form of the label (i.e //package:label_name). The execution path is the relative path to your workspace directory including the base name (including extension) of the crate root. This flag is not applied to the exec configuration (proc-macros, cargo_build_script, etc). Multiple uses are accumulated.

experimental_use_allocator_libraries_with_mangled_symbols

--@rules_rust//rust/settings:experimental_use_allocator_libraries_with_mangled_symbols

A flag used to select allocator libraries implemented in rust that are compatible with the rustc allocator symbol mangling.

The symbol mangling mechanism relies on unstable language features and requires a nightly rustc from 2025-04-05 or later.

Rustc generates references to internal allocator symbols when building rust libraries. At link time, rustc generates the definitions of these symbols. When rustc is not used as the final linker, we need to generate the definitions ourselves. This happens for example when a rust_library is used as a dependency of a rust_binary, or when the experimental_use_cc_common_link setting is used.

For older versions of rustc, the allocator symbol definitions can be provided via the rust_toolchain's allocator_library or global_allocator_library attributes, with sample targets like @rules_rust//ffi/cc/allocator_library and @rules_rust//ffi/cc/global_allocator_library.

Recent versions of rustc started mangling these allocator symbols (https://github.com/rust-lang/rust/pull/127173). The mangling uses a scheme that is specific to the exact version of the compiler. This makes the cc allocator library definitions ineffective. To work around this, we provide rust versions of the symbol definitions annotated with an unstable language attribute that instructs rustc to mangle them consistently. Because of that, this is only compatible with nightly versions of the compiler.

Since the new symbol definitions are written in rust, we cannot just attach them as attributes on the rust_toolchain as the old cc versions, as that would create a build graph cycle (we need a rust_toolchain to build a rust_library, so the allocator library cannot be a rust_library directly).

The bootstrapping cycle can be avoided by defining a separate internal "initial" rust toolchain specifically for building the rust allocator libraries, and use a transition to attach the generated libraries to the "main" rust toolchain. But that duplicates the whole sub-graph of the build around the rust toolchains, repository and supporting tools used for them.

Instead, we define a new custom rust_allocator_library rule, which exposes the result of building the rust allocator libraries via a provider, which can be consumed by the rust build actions. We attach an instance of this as a common attribute to the rust rule set.

TODO: how this interacts with stdlibs

PARAMETERS

NameDescriptionOptions
name

-

none

--@rules_rust//rust/settings:experimental_use_cc_common_link

A flag to control whether to link rust_binary and rust_test targets using cc_common.link instead of rustc.

experimental_use_coverage_metadata_files

--@rules_rust//rust/settings:experimental_use_coverage_metadata_files

A flag to have coverage tooling added as coverage_common.instrumented_files_info.metadata_files instead of reporting tools like llvm-cov and llvm-profdata as runfiles to each test.

experimental_use_global_allocator

--@rules_rust//rust/settings:experimental_use_global_allocator

A flag to indicate that a global allocator is in use when using --@rules_rust//rust/settings:experimental_use_cc_common_link

Users need to specify this flag because rustc generates different set of symbols at link time when a global allocator is in use. When the linking is not done by rustc, the rust_toolchain itself provides the appropriate set of symbols.

experimental_use_sh_toolchain_for_bootstrap_process_wrapper

--@rules_rust//rust/settings:experimental_use_sh_toolchain_for_bootstrap_process_wrapper

A flag to control whether the shell path from a shell toolchain (@bazel_tools//tools/sh:toolchain_type) is embedded into the bootstrap process wrapper for the .sh file.

extra_exec_rustc_env

--@rules_rust//rust/settings:extra_exec_rustc_env

This setting may be used to pass extra environment variables to rustc from the command line in exec configuration.

It applies to tools built and run during the build process, such as proc-macros and build scripts. This can be useful for enabling features that are needed during tool compilation.

extra_exec_rustc_flag

--@rules_rust//rust/settings:extra_exec_rustc_flag

Add additional rustc_flags in the exec configuration from the command line with --@rules_rust//rust/settings:extra_exec_rustc_flag.

Multiple uses are accumulated and appended after the extra_exec_rustc_flags.

extra_exec_rustc_flags

--@rules_rust//rust/settings:extra_exec_rustc_flags

This setting may be used to pass extra options to rustc from the command line in exec configuration.

It applies across all targets whereas the rustc_flags option on targets applies only to that target. This can be useful for passing build-wide options such as LTO.

extra_rustc_env

--@rules_rust//rust/settings:extra_rustc_env

This setting may be used to pass extra environment variables to rustc from the command line in non-exec configuration.

It applies across all targets whereas environment variables set in a specific rule apply only to that target. This can be useful for setting build-wide env flags such as RUSTC_BOOTSTRAP=1.

extra_rustc_flag

--@rules_rust//rust/settings:extra_rustc_flag

Add additional rustc_flag from the command line with --@rules_rust//rust/settings:extra_rustc_flag.

Multiple uses are accumulated and appended after the extra_rustc_flags.

extra_rustc_flags

--@rules_rust//rust/settings:extra_rustc_flags

This setting may be used to pass extra options to rustc from the command line in non-exec configuration.

It applies across all targets whereas the rustc_flags option on targets applies only to that target. This can be useful for passing build-wide options such as LTO.

incompatible_change_clippy_error_format

--@rules_rust//rust/settings:incompatible_change_clippy_error_format

A flag to enable the clippy_error_format setting.

If this flag is true, Clippy uses the format set in clippy_error_format to format its diagnostics; otherwise, it uses the format set in error_format.

incompatible_change_rust_test_compilation_output_directory

--@rules_rust//rust/settings:incompatible_change_rust_test_compilation_output_directory

A flag to put rust_test compilation outputs in the same directory as the rust_library compilation outputs.

incompatible_do_not_include_data_in_compile_data

--@rules_rust//rust/settings:incompatible_do_not_include_data_in_compile_data

A flag to control whether to include data files in compile_data.

lto

--@rules_rust//rust/settings:lto

A build setting which specifies the link time optimization mode used when building Rust code.

no_std

--@rules_rust//rust/settings:no_std

This setting may be used to enable builds without the standard library.

Currently only no_std + alloc is supported, which can be enabled with setting the value to "alloc". In the future we could add support for additional modes, e.g "core", "alloc,collections".

pipelined_compilation

--@rules_rust//rust/settings:pipelined_compilation

When set, this flag causes rustc to emit *.rmeta files and use them for rlib -> rlib dependencies.

While this involves one extra (short) rustc invocation to build the rmeta file, it allows library dependencies to be unlocked much sooner, increasing parallelism during compilation.

rename_first_party_crates

--@rules_rust//rust/settings:rename_first_party_crates

A flag controlling whether to rename first-party crates such that their names encode the Bazel package and target name, instead of just the target name.

First-party vs. third-party crates are identified using the value of @rules_rust//settings:third_party_dir.

rustc_output_diagnostics

--@rules_rust//rust/settings:rustc_output_diagnostics

This setting may be changed from the command line to generate rustc diagnostics.

rustfmt_toml

--@rules_rust//rust/settings:rustfmt_toml

This setting is used by the rustfmt rules. See https://bazelbuild.github.io/rules_rust/rust_fmt.html

Note that this setting is actually called rustfmt.toml.

third_party_dir

--@rules_rust//rust/settings:third_party_dir

A flag specifying the location of vendored third-party rust crates within this repository that must not be renamed when rename_first_party_crates is enabled.

Must be specified as a Bazel package, e.g. "//some/location/in/repo".

toolchain_generated_sysroot

--@rules_rust//rust/settings:toolchain_generated_sysroot

A flag to set rustc --sysroot flag to the sysroot generated by rust_toolchain.

unpretty

--@rules_rust//rust/settings:unpretty

A build setting to control the output of RustUnpretty* actions

Supported values are:

  • ast-tree,expanded
  • ast-tree
  • expanded,hygiene
  • expanded,identified
  • expanded
  • hir-tree
  • hir,identified
  • hir,typed
  • hir
  • identified
  • mir-cfg
  • mir
  • normal

use_real_import_macro

--@rules_rust//rust/settings:use_real_import_macro

A flag to control whether rust_library and rust_binary targets should implicitly depend on the real import macro, or on a no-op target.

Cargo settings

Definitions for all @rules_rust//cargo settings

cargo_manifest_dir_filename_suffixes_to_retain

--@rules_rust//cargo/settings:cargo_manifest_dir_filename_suffixes_to_retain

A flag which determines what files are retained in CARGO_MANIFEST_DIR directories that are created in CargoBuildScriptRun actions.

debug_std_streams_output_group

--@rules_rust//cargo/settings:debug_std_streams_output_group

A flag which adds a streams output group to cargo_build_script targets that contain the raw stderr and stdout streams from the build script.

--@rules_rust//cargo/settings:experimental_symlink_execroot

A flag for which causes cargo_build_script to symlink the execroot of the action to the CARGO_MANIFEST_DIR where the scripts are run.

incompatible_runfiles_cargo_manifest_dir

--@rules_rust//cargo/settings:incompatible_runfiles_cargo_manifest_dir

A flag which causes cargo_build_script to write an explicit CARGO_MANIFEST_DIR directory from an action instead of using runfiles directories which cannot be passed to downstream actions.

https://github.com/bazelbuild/bazel/issues/15486

use_default_shell_env

--@rules_rust//cargo/settings:use_default_shell_env

A flag which controls the global default of ctx.actions.run.use_default_shell_env for cargo_build_script targets.

Rust Toolchains

Toolchain rules for Rust.

Rules

rust_analyzer_toolchain

load("@rules_rust//rust:toolchain.bzl", "rust_analyzer_toolchain")

rust_analyzer_toolchain(name, proc_macro_srv, rust_analyzer, rustc, rustc_srcs, rustc_srcs_path)

A toolchain for rust-analyzer.

ATTRIBUTES

NameDescriptionTypeMandatoryDefault
nameA unique name for this target.Namerequired
proc_macro_srvThe path to a rust_analyzer_proc_macro_srv binary.LabeloptionalNone
rust_analyzerThe path to a rust-analyzer binary.LabeloptionalNone
rustcThe path to a rustc binary.Labelrequired
rustc_srcsThe source code of rustc.Labelrequired
rustc_srcs_pathThe direct path to rustc srcs relative to rustc_srcs package root.Stringoptional"library"

rust_toolchain

load("@rules_rust//rust:toolchain.bzl", "rust_toolchain")

rust_toolchain(name, allocator_library, binary_ext, cargo, cargo_clippy, clippy_driver, debug_info,
               default_edition, dylib_ext, env, exec_triple, experimental_link_std_dylib,
               experimental_use_allocator_libraries_with_mangled_symbols,
               experimental_use_cc_common_link, extra_exec_rustc_flags, extra_rustc_flags,
               extra_rustc_flags_for_crate_types, global_allocator_library, llvm_cov, llvm_lib,
               llvm_profdata, llvm_tools, lto, opt_level, per_crate_rustc_flags, rust_doc, rust_std,
               rustc, rustc_lib, rustfmt, staticlib_ext, stdlib_linkflags, strip_level, target_json,
               target_triple)

Declares a Rust toolchain for use.

This is for declaring a custom toolchain, eg. for configuring a particular version of rust or supporting a new platform.

Example:

Suppose the core rust team has ported the compiler to a new target CPU, called cpuX. This support can be used in Bazel by defining a new toolchain definition and declaration:

load('@rules_rust//rust:toolchain.bzl', 'rust_toolchain')

rust_toolchain(
    name = "rust_cpuX_impl",
    binary_ext = "",
    dylib_ext = ".so",
    exec_triple = "cpuX-unknown-linux-gnu",
    rust_doc = "@rust_cpuX//:rustdoc",
    rust_std = "@rust_cpuX//:rust_std",
    rustc = "@rust_cpuX//:rustc",
    rustc_lib = "@rust_cpuX//:rustc_lib",
    staticlib_ext = ".a",
    stdlib_linkflags = ["-lpthread", "-ldl"],
    target_triple = "cpuX-unknown-linux-gnu",
)

toolchain(
    name = "rust_cpuX",
    exec_compatible_with = [
        "@platforms//cpu:cpuX",
        "@platforms//os:linux",
    ],
    target_compatible_with = [
        "@platforms//cpu:cpuX",
        "@platforms//os:linux",
    ],
    toolchain = ":rust_cpuX_impl",
)

Then, either add the label of the toolchain rule to register_toolchains in the WORKSPACE, or pass it to the "--extra_toolchains" flag for Bazel, and it will be used.

See @rules_rust//rust:repositories.bzl for examples of defining the @rust_cpuX repository with the actual binaries and libraries.

ATTRIBUTES

NameDescriptionTypeMandatoryDefault
nameA unique name for this target.Namerequired
allocator_libraryTarget that provides allocator functions when rust_library targets are embedded in a cc_binary.Labeloptional"@rules_rust//ffi/cc/allocator_library"
binary_extThe extension for binaries created from rustc.Stringrequired
cargoThe location of the cargo binary. Can be a direct source or a filegroup containing one item.LabeloptionalNone
cargo_clippyThe location of the cargo_clippy binary. Can be a direct source or a filegroup containing one item.LabeloptionalNone
clippy_driverThe location of the clippy-driver binary. Can be a direct source or a filegroup containing one item.LabeloptionalNone
debug_infoRustc debug info levels per opt levelDictionary: String -> Stringoptional{"dbg": "2", "fastbuild": "0", "opt": "0"}
default_editionThe edition to use for rust_* rules that don't specify an edition. If absent, every rule is required to specify its edition attribute.Stringoptional""
dylib_extThe extension for dynamic libraries created from rustc.Stringrequired
envEnvironment variables to set in actions.Dictionary: String -> Stringoptional{}
exec_tripleThe platform triple for the toolchains execution environment. For more details see: https://docs.bazel.build/versions/master/skylark/rules.html#configurationsStringrequired
experimental_link_std_dylibLabel to a boolean build setting that controls whether whether to link libstd dynamically.Labeloptional"@rules_rust//rust/settings:experimental_link_std_dylib"
experimental_use_allocator_libraries_with_mangled_symbolsWhether to use rust-based allocator libraries with mangled symbols. Possible values: [-1, 0, 1]. -1 means to use the value of the build setting //rust/settings:experimental_use_allocator_libraries_with_mangled_symbols. 0 means do not use. In that case, rules_rust will try to use the c-based allocator libraries that don't support symbol mangling. 1 means use the rust-based allocator libraries.Integeroptional-1
experimental_use_cc_common_linkLabel to a boolean build setting that controls whether cc_common.link is used to link rust binaries.Labeloptional"@rules_rust//rust/settings:experimental_use_cc_common_link"
extra_exec_rustc_flagsExtra flags to pass to rustc in exec configuration. Subject to location expansion with respect to the srcs of the rust_std attribute. Subject to Make variable expansion with respect to RUST_SYSROOT, RUST_SYSROOT_SHORT, RUSTC, etc.List of stringsoptional[]
extra_rustc_flagsExtra flags to pass to rustc in non-exec configuration. Subject to location expansion with respect to the srcs of the rust_std attribute. Subject to Make variable expansion with respect to RUST_SYSROOT, RUST_SYSROOT_SHORT, RUSTC, etc.List of stringsoptional[]
extra_rustc_flags_for_crate_typesExtra flags to pass to rustc based on crate typeDictionary: String -> List of stringsoptional{}
global_allocator_libraryTarget that provides allocator functions for when a global allocator is present.Labeloptional"@rules_rust//ffi/cc/global_allocator_library"
llvm_covThe location of the llvm-cov binary. Can be a direct source or a filegroup containing one item. If None, rust code is not instrumented for coverage.LabeloptionalNone
llvm_libThe location of the libLLVM shared object files. If llvm_cov is None, this can be None as well and rust code is not instrumented for coverage.LabeloptionalNone
llvm_profdataThe location of the llvm-profdata binary. Can be a direct source or a filegroup containing one item. If llvm_cov is None, this can be None as well and rust code is not instrumented for coverage.LabeloptionalNone
llvm_toolsLLVM tools that are shipped with the Rust toolchain.LabeloptionalNone
ltoLabel to an LTO setting whether which can enable custom LTO settingsLabeloptional"@rules_rust//rust/settings:lto"
opt_levelRustc optimization levels.Dictionary: String -> Stringoptional{"dbg": "0", "fastbuild": "0", "opt": "3"}
per_crate_rustc_flagsExtra flags to pass to rustc in non-exec configurationList of stringsoptional[]
rust_docThe location of the rustdoc binary. Can be a direct source or a filegroup containing one item.Labelrequired
rust_stdThe Rust standard library.Labelrequired
rustcThe location of the rustc binary. Can be a direct source or a filegroup containing one item.Labelrequired
rustc_libThe libraries used by rustc during compilation.LabeloptionalNone
rustfmtDeprecated: Instead see rustfmt_toolchainLabeloptionalNone
staticlib_extThe extension for static libraries created from rustc.Stringrequired
stdlib_linkflagsAdditional linker flags to use when Rust standard library is linked by a C++ linker (rustc will deal with these automatically). Subject to location expansion with respect to the srcs of the rust_std attribute. Subject to Make variable expansion with respect to RUST_SYSROOT, RUST_SYSROOT_SHORT, RUSTC, etc.List of stringsrequired
strip_levelRustc strip levels. For all potential options, see https://doc.rust-lang.org/rustc/codegen-options/index.html#stripDictionary: String -> Stringoptional{"dbg": "none", "fastbuild": "none", "opt": "debuginfo"}
target_jsonOverride the target_triple with a custom target specification. For more details see: https://doc.rust-lang.org/rustc/targets/custom.htmlStringoptional""
target_tripleThe platform triple for the toolchains target environment. For more details see: https://docs.bazel.build/versions/master/skylark/rules.html#configurationsStringoptional""

rustfmt_toolchain

load("@rules_rust//rust:toolchain.bzl", "rustfmt_toolchain")

rustfmt_toolchain(name, rustc, rustc_lib, rustfmt)

A toolchain for rustfmt

ATTRIBUTES

NameDescriptionTypeMandatoryDefault
nameA unique name for this target.Namerequired
rustcThe location of the rustc binary. Can be a direct source or a filegroup containing one item.LabeloptionalNone
rustc_libThe libraries used by rustc during compilation.LabeloptionalNone
rustfmtThe location of the rustfmt binary. Can be a direct source or a filegroup containing one item.Labelrequired

Module extensions for using rules_rust with bzlmod

Module Extensions

rust

rust = use_extension("@rules_rust//rust:extensions.bzl", "rust")
rust.repository_set(name, allocator_library, dev_components, edition, exec_triple, rustfmt_version,
                    sha256s, target_compatible_with, target_settings, target_triple, urls, versions)
rust.toolchain(aliases, allocator_library, dev_components, edition, extra_exec_rustc_flags,
               extra_rustc_flags, extra_rustc_flags_triples, extra_target_triples,
               rust_analyzer_version, rustfmt_version, sha256s, target_settings, urls, versions)

Rust toolchain extension.

TAG CLASSES

repository_set

Tags for defining rust repository sets (where toolchains are defined).

Attributes

NameDescriptionTypeMandatoryDefault
nameName of the repository_set - if you're looking to replace default toolchains you must use the exact name you're replacing.Nameoptional""
allocator_libraryTarget that provides allocator functions when rust_library targets are embedded in a cc_binary.Stringoptional"@rules_rust//ffi/cc/allocator_library"
dev_componentsWhether to download the rustc-dev components (defaults to False). Requires version to be "nightly".BooleanoptionalFalse
editionThe rust edition to be used by default (2015, 2018, or 2021). If absent, every rule is required to specify its edition attribute.Stringoptional""
exec_tripleExec triple for this repository_set.Stringoptional""
rustfmt_versionThe version of the tool among "nightly", "beta", or an exact version.Stringoptional"nightly/2025-04-03"
sha256sA dict associating tool subdirectories to sha256 hashes. See rust_repositories for more details.Dictionary: String -> Stringoptional{}
target_compatible_withList of platform constraints this toolchain produces, for the particular target_triple this call is for.List of labelsoptional[]
target_settingsA list of config_settings that must be satisfied by the target configuration in order for this toolchain to be selected during toolchain resolution.List of labelsoptional[]
target_tripletarget_triple to configure.Stringoptional""
urlsA list of mirror urls containing the tools from the Rust-lang static file server. These must contain the '{}' used to substitute the tool being fetched (using .format).List of stringsoptional["https://static.rust-lang.org/dist/{}.tar.xz"]
versionsA list of toolchain versions to download. This parameter only accepts one version per channel. E.g. ["1.65.0", "nightly/2022-11-02", "beta/2020-12-30"]. May be set to an empty list ([]) to inhibit rules_rust from registering toolchains.List of stringsoptional[]

toolchain

Tags for defining rust toolchains (where toolchain tools are fetched).

Attributes

NameDescriptionTypeMandatoryDefault
aliasesMap of full toolchain repository name to an alias. If any repository is created by this extension matches a key in this dictionary, the name of the created repository will be remapped to the value instead. This may be required to work around path length limits on Windows.Dictionary: String -> Stringoptional{}
allocator_libraryTarget that provides allocator functions when rust_library targets are embedded in a cc_binary.Stringoptional"@rules_rust//ffi/cc/allocator_library"
dev_componentsWhether to download the rustc-dev components (defaults to False). Requires version to be "nightly".BooleanoptionalFalse
editionThe rust edition to be used by default (2015, 2018, or 2021). If absent, every rule is required to specify its edition attribute.Stringoptional""
extra_exec_rustc_flagsExtra flags to pass to rustc in exec configurationList of stringsoptional[]
extra_rustc_flagsExtra flags to pass to rustc in non-exec configurationList of stringsoptional[]
extra_rustc_flags_triplesExtra flags to pass to rustc in non-exec configuration. Key is the triple, value is the flag.Dictionary: String -> List of stringsoptional{}
extra_target_triples-List of stringsoptional["wasm32-unknown-unknown", "wasm32-wasip1", "wasm32-wasip2"]
rust_analyzer_versionThe version of Rustc to pair with rust-analyzer.Stringoptional""
rustfmt_versionThe version of the tool among "nightly", "beta", or an exact version.Stringoptional"nightly/2025-04-03"
sha256sA dict associating tool subdirectories to sha256 hashes. See rust_repositories for more details.Dictionary: String -> Stringoptional{}
target_settingsA list of config_settings that must be satisfied by the target configuration in order for this toolchain to be selected during toolchain resolution.List of labelsoptional[]
urlsA list of mirror urls containing the tools from the Rust-lang static file server. These must contain the '{}' used to substitute the tool being fetched (using .format).List of stringsoptional["https://static.rust-lang.org/dist/{}.tar.xz"]
versionsA list of toolchain versions to download. This parameter only accepts one version per channel. E.g. ["1.65.0", "nightly/2022-11-02", "beta/2020-12-30"]. May be set to an empty list ([]) to inhibit rules_rust from registering toolchains.List of stringsoptional["1.86.0", "nightly/2025-04-03"]

rust_host_tools

rust_host_tools = use_extension("@rules_rust//rust:extensions.bzl", "rust_host_tools")
rust_host_tools.host_tools(name, allocator_library, dev_components, edition, rustfmt_version,
                           sha256s, urls, version)

An extension which exposes Rust tools compatible with the current host platform.

TAG CLASSES

host_tools

Attributes

NameDescriptionTypeMandatoryDefault
nameThe name of the module to createNameoptional"rust_host_tools"
allocator_libraryTarget that provides allocator functions when rust_library targets are embedded in a cc_binary.Stringoptional"@rules_rust//ffi/cc/allocator_library"
dev_componentsWhether to download the rustc-dev components (defaults to False). Requires version to be "nightly".BooleanoptionalFalse
editionThe rust edition to be used by default (2015, 2018, or 2021). If absent, every rule is required to specify its edition attribute.Stringoptional""
rustfmt_versionThe version of the tool among "nightly", "beta", or an exact version.Stringoptional"nightly/2025-04-03"
sha256sA dict associating tool subdirectories to sha256 hashes. See rust_repositories for more details.Dictionary: String -> Stringoptional{}
urlsA list of mirror urls containing the tools from the Rust-lang static file server. These must contain the '{}' used to substitute the tool being fetched (using .format).List of stringsoptional["https://static.rust-lang.org/dist/{}.tar.xz"]
versionThe version of Rust to use for tools executed on the Bazel host.Stringoptional"1.86.0"

Rust Repositories

Repository rules for defining Rust dependencies and toolchains.

Functions

Repository Rules

rules_rust_dependencies

load("@rules_rust//rust:repositories.bzl", "rules_rust_dependencies")

rules_rust_dependencies()

Dependencies used in the implementation of rules_rust.

rust_analyzer_toolchain_repository

load("@rules_rust//rust:repositories.bzl", "rust_analyzer_toolchain_repository")

rust_analyzer_toolchain_repository(name, version, exec_compatible_with, target_compatible_with,
                                   sha256s, urls, auth, netrc, auth_patterns)

Assemble a remote rust_analyzer_toolchain target based on the given params.

PARAMETERS

NameDescriptionDefault Value
nameThe name of the toolchain proxy repository containing the registerable toolchain.none
versionThe version of the tool among "nightly", "beta', or an exact version.none
exec_compatible_withA list of constraints for the execution platform for this toolchain.[]
target_compatible_withA list of constraints for the target platform for this toolchain.[]
sha256sA dict associating tool subdirectories to sha256 hashes. See rust_register_toolchains for more details.None
urlsA list of mirror urls containing the tools from the Rust-lang static file server. These must contain the '{}' used to substitute the tool being fetched (using .format). Defaults to ['https://static.rust-lang.org/dist/{}.tar.xz']None
authAuth object compatible with repository_ctx.download to use when downloading files. See repository_ctx.download for more details.None
netrc.netrc file to use for authentication; mirrors the eponymous attribute from http_archiveNone
auth_patternsOverride mapping of hostnames to authorization patterns; mirrors the eponymous attribute from http_archiveNone

RETURNS

str: The name of a registerable rust_analyzer_toolchain.

rust_register_toolchains

load("@rules_rust//rust:repositories.bzl", "rust_register_toolchains")

rust_register_toolchains(*, dev_components, edition, allocator_library, global_allocator_library,
                         register_toolchains, rustfmt_version, rust_analyzer_version, sha256s,
                         extra_target_triples, extra_rustc_flags, extra_exec_rustc_flags, strip_level,
                         urls, versions, aliases, hub_name, compact_windows_names, toolchain_triples,
                         rustfmt_toolchain_triples, target_settings, extra_toolchain_infos)

Emits a default set of toolchains for Linux, MacOS, and Freebsd

Skip this macro and call the rust_repository_set macros directly if you need a compiler for other hosts or for additional target triples.

The sha256s attribute represents a dict associating tool subdirectories to sha256 hashes. As an example:

{
    "rust-1.46.0-x86_64-unknown-linux-gnu": "e3b98bc3440fe92817881933f9564389eccb396f5f431f33d48b979fa2fbdcf5",
    "rustfmt-1.4.12-x86_64-unknown-linux-gnu": "1894e76913303d66bf40885a601462844eec15fca9e76a6d13c390d7000d64b0",
    "rust-std-1.46.0-x86_64-unknown-linux-gnu": "ac04aef80423f612c0079829b504902de27a6997214eb58ab0765d02f7ec1dbc",
}

This would match for exec_triple = "x86_64-unknown-linux-gnu". If not specified, rules_rust pulls from a non-exhaustive list of known checksums..

See load_arbitrary_tool in @rules_rust//rust:repositories.bzl for more details.

PARAMETERS

NameDescriptionDefault Value
dev_componentsWhether to download the rustc-dev components (defaults to False). Requires version to be "nightly".False
editionThe rust edition to be used by default (2015, 2018, or 2021). If absent, every target is required to specify its edition attribute.None
allocator_libraryTarget that provides allocator functions when rust_library targets are embedded in a cc_binary.None
global_allocator_libraryTarget that provides allocator functions when global allocator is used with cc_common.link.None
register_toolchainsIf true, repositories will be generated to produce and register rust_toolchain targets.True
rustfmt_versionThe version of rustfmt. If none is supplied and only a single version in versions is given, then this defaults to that version, otherwise will default to the default nightly version.None
rust_analyzer_versionThe version of Rustc to pair with rust-analyzer.None
sha256sA dict associating tool subdirectories to sha256 hashes.None
extra_target_triplesAdditional rust-style targets that rust toolchains should support.["wasm32-unknown-unknown", "wasm32-wasip1", "wasm32-wasip2"]
extra_rustc_flagsDictionary of target triples to list of extra flags to pass to rustc in non-exec configuration.None
extra_exec_rustc_flagsExtra flags to pass to rustc in exec configuration.None
strip_levelDictionary of target triples to strip config.None
urlsA list of mirror urls containing the tools from the Rust-lang static file server. These must contain the '{}' used to substitute the tool being fetched (using .format).["https://static.rust-lang.org/dist/{}.tar.xz"]
versionsA list of toolchain versions to download. This parameter only accepts one versions per channel. E.g. ["1.65.0", "nightly/2022-11-02", "beta/2020-12-30"].["1.86.0", "nightly/2025-04-03"]
aliasesA mapping of "full" repository name to another name to use instead.{}
hub_nameThe name of the bzlmod hub repository for toolchains.None
compact_windows_namesWhether or not to produce compact repository names for windows toolchains. This is to avoid MAX_PATH issues.True
toolchain_triplesMapping of rust target triple -> repository name to create.{"aarch64-apple-darwin": "rust_macos_aarch64", "aarch64-pc-windows-msvc": "rust_windows_aarch64", "aarch64-unknown-linux-gnu": "rust_linux_aarch64", "powerpc64le-unknown-linux-gnu": "rust_linux_powerpc64le", "s390x-unknown-linux-gnu": "rust_linux_s390x", "x86_64-apple-darwin": "rust_macos_x86_64", "x86_64-pc-windows-msvc": "rust_windows_x86_64", "x86_64-unknown-freebsd": "rust_freebsd_x86_64", "x86_64-unknown-linux-gnu": "rust_linux_x86_64"}
rustfmt_toolchain_triplesLike toolchain_triples, but for rustfmt toolchains.{"aarch64-apple-darwin": "rust_macos_aarch64", "aarch64-pc-windows-msvc": "rust_windows_aarch64", "aarch64-unknown-linux-gnu": "rust_linux_aarch64", "powerpc64le-unknown-linux-gnu": "rust_linux_powerpc64le", "s390x-unknown-linux-gnu": "rust_linux_s390x", "x86_64-apple-darwin": "rust_macos_x86_64", "x86_64-pc-windows-msvc": "rust_windows_x86_64", "x86_64-unknown-freebsd": "rust_freebsd_x86_64", "x86_64-unknown-linux-gnu": "rust_linux_x86_64"}
target_settingsA list of config_settings that must be satisfied by the target configuration in order for this toolchain to be selected during toolchain resolution.[]
extra_toolchain_infos(dict[str, dict], optional): Mapping of information about extra toolchains which were created outside of this call, which should be added to the hub repo.None

rust_repositories

load("@rules_rust//rust:repositories.bzl", "rust_repositories")

rust_repositories(**kwargs)

Deprecated: Use rules_rust_dependencies and rust_register_toolchains directly.

PARAMETERS

NameDescriptionDefault Value
kwargsKeyword arguments for the rust_register_toolchains macro.none

rust_repository_set

load("@rules_rust//rust:repositories.bzl", "rust_repository_set")

rust_repository_set(*, name, versions, exec_triple, target_settings, allocator_library,
                    global_allocator_library, extra_target_triples, rustfmt_version, edition,
                    dev_components, extra_rustc_flags, extra_exec_rustc_flags, opt_level, strip_level,
                    sha256s, urls, auth, netrc, auth_patterns, register_toolchain,
                    exec_compatible_with, default_target_compatible_with, aliases,
                    compact_windows_names)

Assembles a remote repository for the given toolchain params, produces a proxy repository to contain the toolchain declaration, and registers the toolchains.

PARAMETERS

NameDescriptionDefault Value
nameThe name of the generated repositorynone
versionsA list of toolchain versions to download. This parameter only accepts one versions per channel. E.g. ["1.65.0", "nightly/2022-11-02", "beta/2020-12-30"].none
exec_tripleThe Rust-style target that this compiler runs onnone
target_settingsA list of config_settings that must be satisfied by the target configuration in order for this set of toolchains to be selected during toolchain resolution.[]
allocator_libraryTarget that provides allocator functions when rust_library targets are embedded in a cc_binary.None
global_allocator_libraryTarget that provides allocator functions a global allocator is used with cc_common.link.None
extra_target_triplesAdditional rust-style targets that this set of toolchains should support. If a map, values should be (optional) target_compatible_with lists for that particular target triple.{}
rustfmt_versionThe version of rustfmt to be associated with the toolchain.None
editionThe rust edition to be used by default (2015, 2018, or 2021). If absent, every rule is required to specify its edition attribute.None
dev_componentsWhether to download the rustc-dev components. Requires version to be "nightly".False
extra_rustc_flagsDictionary of target triples to list of extra flags to pass to rustc in non-exec configuration.None
extra_exec_rustc_flagsDictionary of target triples to list of extra flags to pass to rustc in exec configuration.None
opt_levelDictionary of target triples to optimization config.None
strip_levelDictionary of target triples to strip config.None
sha256sA dict associating tool subdirectories to sha256 hashes. See rust_register_toolchains for more details.None
urlsA list of mirror urls containing the tools from the Rust-lang static file server. These must contain the '{}' used to substitute the tool being fetched (using .format).["https://static.rust-lang.org/dist/{}.tar.xz"]
authAuth object compatible with repository_ctx.download to use when downloading files. See repository_ctx.download for more details.None
netrc.netrc file to use for authentication; mirrors the eponymous attribute from http_archiveNone
auth_patternsOverride mapping of hostnames to authorization patterns; mirrors the eponymous attribute from http_archiveNone
register_toolchainIf True, the generated rust_toolchain target will become a registered toolchain.True
exec_compatible_withA list of constraints for the execution platform for this toolchain.None
default_target_compatible_withA list of constraints for the target platform for this toolchain when the exec platform is the same as the target platform.None
aliasesReplacement names to use for toolchains created by this macro.{}
compact_windows_namesWhether or not to produce compact repository names for windows toolchains. This is to avoid MAX_PATH issues.True

RETURNS

dict[str, dict]: A dict of information about all generated toolchains.

rust_toolchain_repository

load("@rules_rust//rust:repositories.bzl", "rust_toolchain_repository")

rust_toolchain_repository(name, version, exec_triple, target_triple, exec_compatible_with,
                          target_compatible_with, target_settings, channel, allocator_library,
                          global_allocator_library, rustfmt_version, edition, dev_components,
                          extra_rustc_flags, extra_exec_rustc_flags, opt_level, strip_level, sha256s,
                          urls, auth, netrc, auth_patterns)

Assembles a remote repository for the given toolchain params, produces a proxy repository to contain the toolchain declaration, and registers the toolchains.

PARAMETERS

NameDescriptionDefault Value
nameThe name of the generated repositorynone
versionThe version of the tool among "nightly", "beta", or an exact version.none
exec_tripleThe Rust-style target that this compiler runs on.none
target_tripleThe Rust-style target to build for.none
exec_compatible_withA list of constraints for the execution platform for this toolchain.None
target_compatible_withA list of constraints for the target platform for this toolchain.None
target_settingsA list of config_settings that must be satisfied by the target configuration in order for this toolchain to be selected during toolchain resolution.[]
channelThe channel of the Rust toolchain.None
allocator_libraryTarget that provides allocator functions when rust_library targets are embedded in a cc_binary.None
global_allocator_libraryTarget that provides allocator functions when a global allocator is used with cc_common.link.None
rustfmt_versionThe version of rustfmt to be associated with the toolchain.None
editionThe rust edition to be used by default (2015, 2018, or 2021). If absent, every rule is required to specify its edition attribute.None
dev_componentsWhether to download the rustc-dev components. Requires version to be "nightly". Defaults to False.False
extra_rustc_flagsExtra flags to pass to rustc in non-exec configuration. Subject to Make variable expansion with respect to RUST_SYSROOT, RUST_SYSROOT_SHORT, RUSTC, etc.None
extra_exec_rustc_flagsExtra flags to pass to rustc in exec configuration. Subject to Make variable expansion with respect to RUST_SYSROOT, RUST_SYSROOT_SHORT, RUSTC, etc.None
opt_levelOptimization level config for this toolchain.None
strip_levelStrip level config for this toolchain.None
sha256sA dict associating tool subdirectories to sha256 hashes. See rust_register_toolchains for more details.None
urlsA list of mirror urls containing the tools from the Rust-lang static file server. These must contain the '{}' used to substitute the tool being fetched (using .format). Defaults to ['https://static.rust-lang.org/dist/{}.tar.xz']["https://static.rust-lang.org/dist/{}.tar.xz"]
authAuth object compatible with repository_ctx.download to use when downloading files. See repository_ctx.download for more details.None
netrc.netrc file to use for authentication; mirrors the eponymous attribute from http_archiveNone
auth_patternsA list of patterns to match against urls for which the auth object should be used.None

RETURNS

dict[str, str]: Information about the registerable toolchain created by this rule.

rust_toolchain_repository_proxy

load("@rules_rust//rust:repositories.bzl", "rust_toolchain_repository_proxy")

rust_toolchain_repository_proxy(name, exec_compatible_with, repo_mapping, target_compatible_with,
                                target_settings, toolchain, toolchain_type)

Generates a toolchain-bearing repository that declares the toolchains from some other rust_toolchain_repository.

ATTRIBUTES

NameDescriptionTypeMandatoryDefault
nameA unique name for this repository.Namerequired
exec_compatible_withA list of constraints for the execution platform for this toolchain.List of stringsoptional[]
repo_mappingIn WORKSPACE context only: a dictionary from local repository name to global repository name. This allows controls over workspace dependency resolution for dependencies of this repository.

For example, an entry "@foo": "@bar" declares that, for any time this repository depends on @foo (such as a dependency on @foo//some:target, it should actually resolve that dependency within globally-declared @bar (@bar//some:target).

This attribute is not supported in MODULE.bazel context (when invoking a repository rule inside a module extension's implementation function).
Dictionary: String -> Stringoptional
target_compatible_withA list of constraints for the target platform for this toolchain.List of stringsoptional[]
target_settingsA list of config_settings that must be satisfied by the target configuration in order for this toolchain to be selected during toolchain resolution.List of stringsoptional[]
toolchainThe name of the toolchain implementation target.Stringrequired
toolchain_typeThe toolchain type of the toolchain to declareStringrequired

rust_toolchain_tools_repository

load("@rules_rust//rust:repositories.bzl", "rust_toolchain_tools_repository")

rust_toolchain_tools_repository(name, allocator_library, auth, auth_patterns, dev_components,
                                edition, exec_triple, extra_exec_rustc_flags, extra_rustc_flags,
                                global_allocator_library, netrc, opt_level, repo_mapping,
                                rustfmt_version, sha256s, strip_level, target_triple, urls, version)

Composes a single workspace containing the toolchain components for compiling on a given platform to a series of target platforms.

A given instance of this rule should be accompanied by a toolchain_repository_proxy invocation to declare its toolchains to Bazel; the indirection allows separating toolchain selection from toolchain fetching.

ATTRIBUTES

NameDescriptionTypeMandatoryDefault
nameA unique name for this repository.Namerequired
allocator_libraryTarget that provides allocator functions when rust_library targets are embedded in a cc_binary.Stringoptional"@rules_rust//ffi/cc/allocator_library"
authAuth object compatible with repository_ctx.download to use when downloading files. See repository_ctx.download for more details.Dictionary: String -> Stringoptional{}
auth_patternsA list of patterns to match against urls for which the auth object should be used.List of stringsoptional[]
dev_componentsWhether to download the rustc-dev components (defaults to False). Requires version to be "nightly".BooleanoptionalFalse
editionThe rust edition to be used by default (2015, 2018, or 2021). If absent, every rule is required to specify its edition attribute.Stringoptional""
exec_tripleThe Rust-style target that this compiler runs onStringrequired
extra_exec_rustc_flagsExtra flags to pass to rustc in exec configurationList of stringsoptional[]
extra_rustc_flagsExtra flags to pass to rustc in non-exec configurationList of stringsoptional[]
global_allocator_libraryTarget that provides allocator functions when a global allocator is used with cc_common.link.Stringoptional"@rules_rust//ffi/cc/global_allocator_library"
netrc.netrc file to use for authentication; mirrors the eponymous attribute from http_archiveStringoptional""
opt_levelRustc optimization levels. For more details see the documentation for rust_toolchain.opt_level.Dictionary: String -> Stringoptional{}
repo_mappingIn WORKSPACE context only: a dictionary from local repository name to global repository name. This allows controls over workspace dependency resolution for dependencies of this repository.

For example, an entry "@foo": "@bar" declares that, for any time this repository depends on @foo (such as a dependency on @foo//some:target, it should actually resolve that dependency within globally-declared @bar (@bar//some:target).

This attribute is not supported in MODULE.bazel context (when invoking a repository rule inside a module extension's implementation function).
Dictionary: String -> Stringoptional
rustfmt_versionThe version of the tool among "nightly", "beta", or an exact version.Stringoptional""
sha256sA dict associating tool subdirectories to sha256 hashes. See rust_register_toolchains for more details.Dictionary: String -> Stringoptional{}
strip_levelRustc strip levels. For more details see the documentation for rust_toolchain.strip_level.Dictionary: String -> Stringoptional{}
target_tripleThe Rust-style target that this compiler builds for.Stringrequired
urlsA list of mirror urls containing the tools from the Rust-lang static file server. These must contain the '{}' used to substitute the tool being fetched (using .format).List of stringsoptional["https://static.rust-lang.org/dist/{}.tar.xz"]
versionThe version of the tool among "nightly", "beta", or an exact version.Stringrequired

External Dependencies

crate_universe workspace (crate_universe bzlmod) is a tool built into rules_rust that can be used to fetch dependencies.

Crate Universe

Crate Universe is a set of Bazel rule for generating Rust targets using Cargo.

This doc describes using crate_universe with bzlmod.

If you're using a WORKSPACE file, please see the WORKSPACE equivalent of this doc.

There are some examples of using crate_universe with bzlmod in the example folder.

Table of Contents

  1. Setup
  2. Dependencies
  3. Crate reference

Setup

To use rules_rust in a project using bzlmod, add the following to your MODULE.bazel file:

bazel_dep(name = "rules_rust", version = "0.67.0")

You find the latest version on the release page.

After adding rules_rust in your MODULE.bazel, set the following to begin using crate_universe`:

crate = use_extension("@rules_rust//crate_universe:extensions.bzl", "crate")
//  # ... Dependencies
use_repo(crate, "crates")

Dependencies

There are three different ways to declare dependencies in your MODULE.

  1. Cargo workspace
  2. Direct Dependencies
  3. Binary Dependencies
  4. Vendored Dependencies

Cargo Workspaces

One of the simpler ways to wire up dependencies would be to first structure your project into a Cargo workspace. The crates_repository rule can ingest a root Cargo.toml file and generate Bazel dependencies from there. You find a complete example in the in the example folder.

crate = use_extension("@rules_rust//crate_universe:extensions.bzl", "crate")

crate.from_cargo(
    name = "crates",
    cargo_lockfile = "//:Cargo.lock",
    manifests = ["//:Cargo.toml"],
)
use_repo(crate, "crates")

Note if using Private Crate Registries

If you are using from_cargo and are pulling dependencies from a private crate registry such as Artifactory, make sure you set the CARGO_BAZEL_ISOLATED=false bazel build //... environmental. If not crates_universe will not be able to pull from your private registry.

The generated crates_repository contains helper macros which make collecting dependencies for Bazel targets simpler. Notably, the all_crate_deps and aliases macros ( see Dependencies API) commonly allow the Cargo.toml files to be the single source of truth for dependencies. Since these macros come from the generated repository, the dependencies and alias definitions they return will automatically update BUILD targets. In your BUILD files, you use these macros for a Rust library as shown below:

load("@crates//:defs.bzl", "aliases", "all_crate_deps")
load("@rules_rust//rust:defs.bzl", "rust_library", "rust_test")

rust_library(
    name = "lib",
    aliases = aliases(),
    deps = all_crate_deps(
        normal = True,
    ),
    proc_macro_deps = all_crate_deps(
        proc_macro = True,
    ),
)

rust_test(
    name = "unit_test",
    crate = ":lib",
    aliases = aliases(
        normal_dev = True,
        proc_macro_dev = True,
    ),
    deps = all_crate_deps(
        normal_dev = True,
    ),
    proc_macro_deps = all_crate_deps(
        proc_macro_dev = True,
    ),
)

For a Rust binary that does not depend on any macro, use the following configuration in your build file:

rust_binary(
    name = "bin",
    srcs = ["src/main.rs"],
    deps = all_crate_deps(normal = True),
)

You have to repin before your first build to ensure all Bazel targets for the macros are generated.

Dependency syncing and updating is done in the repository rule which means it's done during the analysis phase of builds. As mentioned in the environments variable table above, the CARGO_BAZEL_REPIN (or REPIN) environment variables can be used to force the rule to update dependencies and potentially render a new lockfile. Given an instance of this repository rule named crates, the easiest way to repin dependencies is to run:

CARGO_BAZEL_REPIN=1 bazel sync --only=crates

This will result in all dependencies being updated for a project. The CARGO_BAZEL_REPIN environment variable can also be used to customize how dependencies are updated. For more details about repin, please refer to the documentation.

Direct Dependencies

In cases where Rust targets have heavy interactions with other Bazel targets (Cc, Proto, etc.), maintaining Cargo.toml files may have diminishing returns as things like rust-analyzer begin to be confused about missing targets or environment variables defined only in Bazel. In situations like this, it may be desirable to have a "Cargo free" setup. You find an example in the in the example folder.

crates_repository supports this through the packages attribute, as shown below.

crate = use_extension("@rules_rust//crate_universe:extensions.bzl", "crate")

crate.spec(package = "serde", features = ["derive"], version = "1.0")
crate.spec(package = "serde_json", version = "1.0")
crate.spec(package = "tokio", default_features = False, features = ["macros", "net", "rt-multi-thread"], version = "1.38")

crate.from_specs()
use_repo(crate, "crates")

Consuming dependencies may be more ergonomic in this case through the aliases defined in the new repository. In your BUILD files, you use direct dependencies as shown below:

rust_binary(
    name = "bin",
    crate_root = "src/main.rs",
    srcs = glob([
        "src/*.rs",
    ]),
    deps = [
        # External crates
        "@crates//:serde",
        "@crates//:serde_json",
        "@crates//:tokio",
    ],
    visibility = ["//visibility:public"],
)

Notice, direct dependencies do not need repining. Only a cargo workspace needs updating whenever the underlying Cargo.toml file changed.

Binary Dependencies

With cargo you can install binary dependencies (bindeps) as well with cargo install command.

We don't have such easy facilities available in bazel besides specifying it as a dependency. To mimic cargo's bindeps feature we use the unstable feature called artifact-dependencies which integrates well with bazel concepts.

You could use the syntax specified in the above document to place it in Cargo.toml. For that you can consult the following example.

This method has the following consequences:

  • if you use shared dependency tree with your project these binary dependencies will interfere with yours (may conflict)
  • you have to use nightly host_tools to generate dependencies because

Alternatively you can specify this in a separate repo with cargo.from_specs syntax:

bindeps = use_extension("@rules_rust//crate_universe:extension.bzl", "crate")

bindeps.spec(package = "cargo-machete", version = "=0.7.0", artifact = "bin")
bindeps.annotation(crate = "cargo-machete", gen_all_binaries = True)

bindeps.from_specs(
  name = "bindeps",
  host_tools = "@rust_host_tools_nightly",
)

use_repo(bindeps, "bindeps")

You can run the specified binary dependency with the following command or create additional more complex rules on top of it.

bazel run @bindeps//:cargo-machete__cargo-machete

Notice, direct dependencies do not need repining. Only a cargo workspace needs updating whenever the underlying Cargo.toml file changed.

Vendored Dependencies

In some cases, it is require that all external dependencies are vendored, meaning downloaded and stored in the workspace. This helps, for example, to conduct licence scans, apply custom patches, or to ensure full build reproducibility since no download error could possibly occur. You find a complete example in the in the example folder.

For the setup, you need to add the skylib in addition to the rust rules to your MODULE.bazel.

module(
    name = "deps_vendored",
    version = "0.0.0"
)
###############################################################################
# B A Z E L  C E N T R A L  R E G I S T R Y # https://registry.bazel.build/
###############################################################################
# https://github.com/bazelbuild/bazel-skylib/releases/
bazel_dep(name = "bazel_skylib", version = "1.8.2")

# https://github.com/bazelbuild/rules_rust/releases
bazel_dep(name = "rules_rust", version = "0.67.0")

###############################################################################
# T O O L C H A I N S
###############################################################################

# Rust toolchain
RUST_EDITION = "2021"
RUST_VERSION = "1.80.1"

rust = use_extension("@rules_rust//rust:extensions.bzl", "rust")
rust.toolchain(
    edition = RUST_EDITION,
    versions = [RUST_VERSION],
)
use_repo(rust, "rust_toolchains")
register_toolchains("@rust_toolchains//:all")

###############################################################################
# R U S T  C R A T E S
###############################################################################
crate = use_extension("@rules_rust//crate_universe:extensions.bzl", "crate")

Note, it is important to load the crate_universe rules otherwise you will get an error as the rule set is needed in the vendored target.

Assuming you have a package called basic in which you want to vendor dependencies, then you create a folder basic/3rdparty. The folder name can be arbitrary, but by convention, its either thirdparty or 3rdparty to indicate vendored dependencies. In the 3rdparty folder, you add a target crates_vendor to declare your dependencies to vendor. In the example, we vendor a specific version of bzip2.

load("@rules_rust//crate_universe:defs.bzl", "crate", "crates_vendor")

crates_vendor(
    name = "crates_vendor",
    annotations = {
        "bzip2-sys": [crate.annotation(
            gen_build_script = True,
        )],
    },
    cargo_lockfile = "Cargo.Bazel.lock",
    generate_build_scripts = False,
    mode = "remote",
    packages = {
        "bzip2": crate.spec(
            version = "=0.3.3",
        ),
    },
    repository_name = "basic",
    tags = ["manual"],
)

Next, you have to run Cargo build to generate a Cargo.lock file with all resolved dependencies. Then, you rename Cargo.lock to Cargo.Bazel.lock and place it inside the basic/3rdparty folder.

At this point, you have the following folder and files:

basic
    |-- 3rdparty
    |   |-- BUILD.bazel
    |   |-- Cargo.Bazel.lock

Now you can run the crates_vendor target:

bazel run //basic/3rdparty:crates_vendor

This generates a crate folders with all configurations for the vendored dependencies.

basic
    |-- 3rdparty
    |   |-- cratea
    |   |-- BUILD.bazel
    |   |-- Cargo.Bazel.lock

Suppose you have an application in basic/src that is defined in basic/BUILD.bazel and that depends on a vendored dependency. You find a list of all available vendored dependencies in the BUILD file of the generated folder: basic/3rdparty/crates/BUILD.bazel You declare a vendored dependency in you target as following:

load("@rules_rust//rust:defs.bzl", "rust_binary")

rust_binary(
    name = "hello_sys",
    srcs = ["src/main.rs"],
    deps = ["//basic/3rdparty/crates:bzip2"],
    visibility = ["//visibility:public"],
)

Note, the vendored dependency is not yet accessible because you have to define first how to load the vendored dependencies. For that, you first create a file sys_deps.bzl and add the following content:

# rename the default name "crate_repositories" in case you import multiple vendored folders.
load("//basic/3rdparty/crates:defs.bzl", basic_crate_repositories = "crate_repositories")

def sys_deps():
    # Load the vendored dependencies
    basic_crate_repositories()

This is straightforward, you import the generated crate_repositories from the crates folder, rename it to avoid name clashes in case you import from multiple vendored folders, and then just load the vendored dependencies.

In a WORKSPACE configuration, you would just load and call sys_deps(), but in a MODULE configuration, you cannot do that. Instead, you create a new file WORKSPACE.bzlmod and add the following content.

load("//:sys_deps.bzl", "sys_deps")
sys_deps()

Now, you can build the project as usual.

There are some more examples of using crate_universe with bzlmod in the example folder.

crate

crate = use_extension("@rules_rust//crate_universe:extensions.bzl", "crate")
crate.annotation(deps, data, additive_build_file, additive_build_file_content, alias_rule,
                 build_script_compile_data, build_script_data, build_script_data_glob,
                 build_script_deps, build_script_env, build_script_link_deps,
                 build_script_proc_macro_deps, build_script_rundir, build_script_rustc_env,
                 build_script_toolchains, build_script_tools, compile_data, compile_data_glob,
                 compile_data_glob_excludes, crate, crate_features, data_glob, disable_pipelining,
                 extra_aliased_targets, gen_all_binaries, gen_binaries, gen_build_script,
                 override_target_bin, override_target_build_script, override_target_lib,
                 override_target_proc_macro, patch_args, patch_tool, patches, proc_macro_deps,
                 repositories, rustc_env, rustc_env_files, rustc_flags, shallow_since, version)
crate.annotation_select(deps, data, build_script_compile_data, build_script_data, build_script_deps,
                        build_script_env, build_script_link_deps, build_script_proc_macro_deps,
                        build_script_rundir, build_script_rustc_env, build_script_tools, compile_data,
                        crate, crate_features, proc_macro_deps, repositories, rustc_env,
                        rustc_env_files, rustc_flags, triples, version)
crate.from_cargo(name, cargo_config, cargo_lockfile, generate_binaries, generate_build_scripts,
                 host_tools, isolated, lockfile, manifests, skip_cargo_lockfile_overwrite,
                 supported_platform_triples)
crate.from_specs(name, cargo_config, cargo_lockfile, generate_binaries, generate_build_scripts,
                 host_tools, isolated, lockfile, skip_cargo_lockfile_overwrite,
                 supported_platform_triples)
crate.render_config(build_file_template, crate_alias_template, crate_label_template,
                    crate_repository_template, crates_module_template, default_alias_rule_bzl,
                    default_alias_rule_name, default_package_name, generate_cargo_toml_env_vars,
                    generate_rules_license_metadata, generate_target_compatible_with,
                    platforms_template, regen_command, repositories, vendor_mode)
crate.spec(artifact, branch, default_features, features, git, lib, package, path, repositories, rev,
           tag, version)
crate.splicing_config(repositories, resolver_version)

Crate universe module extensions.

Environment Variables:

variableusage
CARGO_BAZEL_GENERATOR_SHA256The sha256 checksum of the file located at CARGO_BAZEL_GENERATOR_URL
CARGO_BAZEL_GENERATOR_URLThe URL of a cargo-bazel binary. This variable takes precedence over attributes and can use file:// for local paths
CARGO_BAZEL_ISOLATEDAn authoritative flag as to whether or not the CARGO_HOME environment variable should be isolated from the host configuration
CARGO_BAZEL_REPINAn indicator that the dependencies represented by the rule should be regenerated. REPIN may also be used. See Repinning / Updating Dependencies for more details.
CARGO_BAZEL_REPIN_ONLYA comma-delimited allowlist for rules to execute repinning. Can be useful if multiple instances of the repository rule are used in a Bazel workspace, but repinning should be limited to one of them.
CARGO_BAZEL_TIMEOUTAn integer value to override the default timeout setting when running the cargo-bazel binary. This value must be in seconds.

TAG CLASSES

annotation

A collection of extra attributes and settings for a particular crate.

Attributes

NameDescriptionTypeMandatoryDefault
depsA list of labels to add to a crate's rust_library::deps attribute.List of stringsoptional[]
dataA list of labels to add to a crate's rust_library::data attribute.List of stringsoptional[]
additive_build_fileA file containing extra contents to write to the bottom of generated BUILD files.LabeloptionalNone
additive_build_file_contentExtra contents to write to the bottom of generated BUILD files.Stringoptional""
alias_ruleAlias rule to use instead of native.alias(). Overrides render_config's 'default_alias_rule'.Stringoptional""
build_script_compile_dataA list of labels to add to a crate's cargo_build_script::compile_data attribute.List of stringsoptional[]
build_script_dataA list of labels to add to a crate's cargo_build_script::data attribute.List of stringsoptional[]
build_script_data_globA list of glob patterns to add to a crate's cargo_build_script::data attributeList of stringsoptional[]
build_script_depsA list of labels to add to a crate's cargo_build_script::deps attribute.List of stringsoptional[]
build_script_envAdditional environment variables to set on a crate's cargo_build_script::env attribute.Dictionary: String -> Stringoptional{}
build_script_link_depsA list of labels to add to a crate's cargo_build_script::link_deps attribute.List of stringsoptional[]
build_script_proc_macro_depsA list of labels to add to a crate's cargo_build_script::proc_macro_deps attribute.List of stringsoptional[]
build_script_rundirAn override for the build script's rundir attribute.Stringoptional""
build_script_rustc_envAdditional environment variables to set on a crate's cargo_build_script::env attribute.Dictionary: String -> Stringoptional{}
build_script_toolchainsA list of labels to set on a crates's cargo_build_script::toolchains attribute.List of labelsoptional[]
build_script_toolsA list of labels to add to a crate's cargo_build_script::tools attribute.List of stringsoptional[]
compile_dataA list of labels to add to a crate's rust_library::compile_data attribute.List of stringsoptional[]
compile_data_globA list of glob patterns to add to a crate's rust_library::compile_data attribute.List of stringsoptional[]
compile_data_glob_excludesA list of glob patterns to be excllued from a crate's rust_library::compile_data attribute.List of stringsoptional[]
crateThe name of the crate the annotation is applied toStringrequired
crate_featuresA list of strings to add to a crate's rust_library::crate_features attribute.List of stringsoptional[]
data_globA list of glob patterns to add to a crate's rust_library::data attribute.List of stringsoptional[]
disable_pipeliningIf True, disables pipelining for library targets for this crate.BooleanoptionalFalse
extra_aliased_targetsA list of targets to add to the generated aliases in the root crate_universe repository.Dictionary: String -> Stringoptional{}
gen_all_binariesIf true, generates rust_binary targets for all of the crates binsBooleanoptionalFalse
gen_binariesAs a list, the subset of the crate's bins that should get rust_binary targets produced.List of stringsoptional[]
gen_build_scriptAn authoritative flag to determine whether or not to produce cargo_build_script targets for the current crate. Supported values are 'on', 'off', and 'auto'.Stringoptional"auto"
override_target_binAn optional alternate target to use when something depends on this crate to allow the parent repo to provide its own version of this dependency.LabeloptionalNone
override_target_build_scriptAn optional alternate target to use when something depends on this crate to allow the parent repo to provide its own version of this dependency.LabeloptionalNone
override_target_libAn optional alternate target to use when something depends on this crate to allow the parent repo to provide its own version of this dependency.LabeloptionalNone
override_target_proc_macroAn optional alternate target to use when something depends on this crate to allow the parent repo to provide its own version of this dependency.LabeloptionalNone
patch_argsThe patch_args attribute of a Bazel repository rule. See http_archive.patch_argsList of stringsoptional[]
patch_toolThe patch_tool attribute of a Bazel repository rule. See http_archive.patch_toolStringoptional""
patchesThe patches attribute of a Bazel repository rule. See http_archive.patchesList of labelsoptional[]
proc_macro_depsA list of labels to add to a crate's rust_library::proc_macro_deps attribute.List of stringsoptional[]
repositoriesA list of repository names specified from crate.from_cargo(name=...) that this annotation is applied to. Defaults to all repositories.List of stringsoptional[]
rustc_envAdditional variables to set on a crate's rust_library::rustc_env attribute.Dictionary: String -> Stringoptional{}
rustc_env_filesA list of labels to set on a crate's rust_library::rustc_env_files attribute.List of stringsoptional[]
rustc_flagsA list of strings to set on a crate's rust_library::rustc_flags attribute.List of stringsoptional[]
shallow_sinceAn optional timestamp used for crates originating from a git repository instead of a crate registry. This flag optimizes fetching the source code.Stringoptional""
versionThe versions of the crate the annotation is applied to. Defaults to all versions.Stringoptional"*"

annotation_select

A constructor for a crate dependency with selectable attributes.

Attributes

NameDescriptionTypeMandatoryDefault
depsA list of labels to add to a crate's rust_library::deps attribute.List of stringsoptional[]
dataA list of labels to add to a crate's rust_library::data attribute.List of stringsoptional[]
build_script_compile_dataA list of labels to add to a crate's cargo_build_script::compile_data attribute.List of stringsoptional[]
build_script_dataA list of labels to add to a crate's cargo_build_script::data attribute.List of stringsoptional[]
build_script_depsA list of labels to add to a crate's cargo_build_script::deps attribute.List of stringsoptional[]
build_script_envAdditional environment variables to set on a crate's cargo_build_script::env attribute.Dictionary: String -> Stringoptional{}
build_script_link_depsA list of labels to add to a crate's cargo_build_script::link_deps attribute.List of stringsoptional[]
build_script_proc_macro_depsA list of labels to add to a crate's cargo_build_script::proc_macro_deps attribute.List of stringsoptional[]
build_script_rundirAn override for the build script's rundir attribute.Stringoptional""
build_script_rustc_envAdditional environment variables to set on a crate's cargo_build_script::env attribute.Dictionary: String -> Stringoptional{}
build_script_toolsA list of labels to add to a crate's cargo_build_script::tools attribute.List of stringsoptional[]
compile_dataA list of labels to add to a crate's rust_library::compile_data attribute.List of stringsoptional[]
crateThe name of the crate the annotation is applied toStringrequired
crate_featuresA list of strings to add to a crate's rust_library::crate_features attribute.List of stringsoptional[]
proc_macro_depsA list of labels to add to a crate's rust_library::proc_macro_deps attribute.List of stringsoptional[]
repositoriesA list of repository names specified from crate.from_cargo(name=...) that this annotation is applied to. Defaults to all repositories.List of stringsoptional[]
rustc_envAdditional variables to set on a crate's rust_library::rustc_env attribute.Dictionary: String -> Stringoptional{}
rustc_env_filesA list of labels to set on a crate's rust_library::rustc_env_files attribute.List of stringsoptional[]
rustc_flagsA list of strings to set on a crate's rust_library::rustc_flags attribute.List of stringsoptional[]
triplesA list of triples to apply the annotation to.List of stringsrequired
versionThe versions of the crate the annotation is applied to. Defaults to all versions.Stringoptional"*"

from_cargo

Generates a repo @crates from a Cargo.toml / Cargo.lock pair.

Attributes

NameDescriptionTypeMandatoryDefault
nameThe name of the repo to generateNameoptional"crates"
cargo_configA Cargo configuration file.LabeloptionalNone
cargo_lockfileThe path to an existing Cargo.lock fileLabeloptionalNone
generate_binariesWhether to generate rust_binary targets for all the binary crates in every package. By default only the rust_library targets are generated.BooleanoptionalFalse
generate_build_scriptsWhether or not to generate cargo build scripts by default.BooleanoptionalTrue
host_toolsThe rust_host_tools repository to use.Labeloptional"@@rules_rust++rust_host_tools+rust_host_tools//:rust_host_tools"
isolatedIf true, CARGO_HOME will be overwritten to a directory within the generated repository in order to prevent other uses of Cargo from impacting having any effect on the generated targets produced by this rule. For users who either have multiple crate_repository definitions in a WORKSPACE or rapidly re-pin dependencies, setting this to false may improve build times. This variable is also controlled by CARGO_BAZEL_ISOLATED environment variable.BooleanoptionalTrue
lockfileThe path to a file to use for reproducible renderings. If set, this file must exist within the workspace (but can be empty) before this rule will work.LabeloptionalNone
manifestsA list of Cargo manifests (Cargo.toml files).List of labelsoptional[]
skip_cargo_lockfile_overwriteWhether to skip writing the cargo lockfile back after resolving. You may want to set this if your dependency versions are maintained externally through a non-trivial set-up. But you probably don't want to set this.BooleanoptionalFalse
supported_platform_triplesA set of all platform triples to consider when generating dependencies.List of stringsoptional["aarch64-apple-darwin", "aarch64-unknown-linux-gnu", "wasm32-unknown-unknown", "wasm32-wasip1", "x86_64-pc-windows-msvc", "x86_64-unknown-linux-gnu", "x86_64-unknown-nixos-gnu"]

from_specs

Generates a repo @crates from the defined spec tags.

Attributes

NameDescriptionTypeMandatoryDefault
nameThe name of the repo to generate.Nameoptional"crates"
cargo_configA Cargo configuration file.LabeloptionalNone
cargo_lockfileThe path to an existing Cargo.lock fileLabeloptionalNone
generate_binariesWhether to generate rust_binary targets for all the binary crates in every package. By default only the rust_library targets are generated.BooleanoptionalFalse
generate_build_scriptsWhether or not to generate cargo build scripts by default.BooleanoptionalTrue
host_toolsThe rust_host_tools repository to use.Labeloptional"@@rules_rust++rust_host_tools+rust_host_tools//:rust_host_tools"
isolatedIf true, CARGO_HOME will be overwritten to a directory within the generated repository in order to prevent other uses of Cargo from impacting having any effect on the generated targets produced by this rule. For users who either have multiple crate_repository definitions in a WORKSPACE or rapidly re-pin dependencies, setting this to false may improve build times. This variable is also controlled by CARGO_BAZEL_ISOLATED environment variable.BooleanoptionalTrue
lockfileThe path to a file to use for reproducible renderings. If set, this file must exist within the workspace (but can be empty) before this rule will work.LabeloptionalNone
skip_cargo_lockfile_overwriteWhether to skip writing the cargo lockfile back after resolving. You may want to set this if your dependency versions are maintained externally through a non-trivial set-up. But you probably don't want to set this.BooleanoptionalFalse
supported_platform_triplesA set of all platform triples to consider when generating dependencies.List of stringsoptional["aarch64-apple-darwin", "aarch64-unknown-linux-gnu", "wasm32-unknown-unknown", "wasm32-wasip1", "x86_64-pc-windows-msvc", "x86_64-unknown-linux-gnu", "x86_64-unknown-nixos-gnu"]

render_config

Various settings used to configure rendered outputs.

The template parameters each support a select number of format keys. A description of each key can be found below where the supported keys for each template can be found in the parameter docs

keydefinition
nameThe name of the crate. Eg tokio
repositoryThe rendered repository name for the crate. Directly relates to crate_repository_template.
tripleA platform triple. Eg x86_64-unknown-linux-gnu
versionThe crate version. Eg 1.2.3
targetThe library or binary target of the crate
fileThe basename of a file

Attributes

NameDescriptionTypeMandatoryDefault
build_file_templateThe base template to use for BUILD file names. The available format keys are [{name}, {version}`].Stringoptional"//:BUILD.{name}-{version}.bazel"
crate_alias_templateThe base template to use for crate labels. The available format keys are [{repository}, {name}, {version}, {target}].Stringoptional"@{repository}//:{name}-{version}-{target}"
crate_label_templateThe base template to use for crate labels. The available format keys are [{repository}, {name}, {version}, {target}].Stringoptional"@{repository}__{name}-{version}//:{target}"
crate_repository_templateThe base template to use for Crate label repository names. The available format keys are [{repository}, {name}, {version}].Stringoptional"{repository}__{name}-{version}"
crates_module_templateThe pattern to use for the defs.bzl and BUILD.bazel file names used for the crates module. The available format keys are [{file}].Stringoptional"//:{file}"
default_alias_rule_bzlAlias rule to use when generating aliases for all crates. Acceptable values are 'alias', 'dbg'/'fastbuild'/'opt' (transitions each crate's compilation_mode) or a string representing a rule in the form '<label to .bzl>:' that takes a single label parameter 'actual'. See '@crate_index//:alias_rules.bzl' for an example.LabeloptionalNone
default_alias_rule_nameAlias rule to use when generating aliases for all crates. Acceptable values are 'alias', 'dbg'/'fastbuild'/'opt' (transitions each crate's compilation_mode) or a string representing a rule in the form '<label to .bzl>:' that takes a single label parameter 'actual'. See '@crate_index//:alias_rules.bzl' for an example.Stringoptional"alias"
default_package_nameThe default package name to use in the rendered macros. This affects the auto package detection of things like all_crate_deps.Stringoptional""
generate_cargo_toml_env_varsWhether to generate cargo_toml_env_vars targets.BooleanoptionalTrue
generate_rules_license_metadataWhether to generate rules license metadata.BooleanoptionalFalse
generate_target_compatible_withWhether to generate target_compatible_with annotations on the generated BUILD files. This catches a target_triple being targeted that isn't declared in supported_platform_triples.BooleanoptionalTrue
platforms_templateThe base template to use for platform names. See platforms documentation. The available format keys are [{triple}].Stringoptional"@rules_rust//rust/platform:{triple}"
regen_commandAn optional command to demonstrate how generated files should be regenerated.Stringoptional""
repositoriesA list of repository names specified from crate.from_cargo(name=...) that this annotation is applied to. Defaults to all repositories.List of stringsoptional[]
vendor_modeAn optional configuration for rendering content to be rendered into repositories.Stringoptional""

spec

A constructor for a crate dependency.

Attributes

NameDescriptionTypeMandatoryDefault
artifactSet to 'bin' to pull in a binary crate as an artifact dependency. Requires a nightly Cargo.Stringoptional""
branchThe git branch of the remote crate. Tied with the git param. Only one of branch, tag or rev may be specified. Specifying rev is recommended for fully-reproducible builds.Stringoptional""
default_featuresMaps to the default-features flag.BooleanoptionalTrue
featuresA list of features to use for the crate.List of stringsoptional[]
gitThe Git url to use for the crate. Cannot be used with version or path.Stringoptional""
libIf using artifact = 'bin', additionally setting lib = True declares a dependency on both the package's library and binary, as opposed to just the binary.BooleanoptionalFalse
packageThe explicit name of the package.Stringrequired
pathThe local path of the remote crate. Cannot be used with version or git.Stringoptional""
repositoriesA list of repository names specified from crate.from_cargo(name=...) that this spec is applied to. Defaults to all repositories.List of stringsoptional[]
revThe git revision of the remote crate. Tied with the git param. Only one of branch, tag or rev may be specified.Stringoptional""
tagThe git tag of the remote crate. Tied with the git param. Only one of branch, tag or rev may be specified. Specifying rev is recommended for fully-reproducible builds.Stringoptional""
versionThe exact version of the crate. Cannot be used with git or path.Stringoptional""

splicing_config

Various settings used to configure Cargo manifest splicing behavior.

Attributes

NameDescriptionTypeMandatoryDefault
repositoriesA list of repository names specified from crate.from_cargo(name=...) that this annotation is applied to. Defaults to all repositories.List of stringsoptional[]
resolver_versionThe resolver version to use in generated Cargo manifests. This flag is only used when splicing a manifest from direct package definitions. See crates_repository::packagesStringoptional"2"

Crate Universe

Crate Universe is a set of Bazel rule for generating Rust targets using Cargo.

This doc describes using crate_universe from a WORKSPACE file.

If you're using bzlmod, please see the bzlmod equivalent of this doc.

Setup

After loading rules_rust in your workspace, set the following to begin using crate_universe:

load("@rules_rust//crate_universe:repositories.bzl", "crate_universe_dependencies")

crate_universe_dependencies()

Note that if the current version of rules_rust is not a release artifact, you may need to set additional flags such as bootstrap = True on the crate_universe_dependencies call above or crates_repository::generator_urls in uses of crates_repository.

Rules

Utility Macros

Workflows

The crates_repository rule (the primary repository rule of rules_rust's cargo support) supports a number of different ways users can express and organize their dependencies. The most common are listed below though there are more to be found in the ./examples/crate_universe directory.

Cargo Workspaces

One of the simpler ways to wire up dependencies would be to first structure your project into a Cargo workspace. The crates_repository rule can ingest a root Cargo.toml file and generate dependencies from there.

load("@rules_rust//crate_universe:defs.bzl", "crates_repository")

crates_repository(
    name = "crate_index",
    cargo_lockfile = "//:Cargo.lock",
    lockfile = "//:Cargo.Bazel.lock",
    manifests = ["//:Cargo.toml"],
)

load("@crate_index//:defs.bzl", "crate_repositories")

crate_repositories()

The generated crates_repository contains helper macros which make collecting dependencies for Bazel targets simpler. Notably, the all_crate_deps and aliases macros (see Dependencies API) commonly allow the Cargo.toml files to be the single source of truth for dependencies. Since these macros come from the generated repository, the dependencies and alias definitions they return will automatically update BUILD targets.

load("@crate_index//:defs.bzl", "aliases", "all_crate_deps")
load("@rules_rust//rust:defs.bzl", "rust_library", "rust_test")

rust_library(
    name = "lib",
    aliases = aliases(),
    deps = all_crate_deps(
        normal = True,
    ),
    proc_macro_deps = all_crate_deps(
        proc_macro = True,
    ),
)

rust_test(
    name = "unit_test",
    crate = ":lib",
    aliases = aliases(
        normal_dev = True,
        proc_macro_dev = True,
    ),
    deps = all_crate_deps(
        normal_dev = True,
    ),
    proc_macro_deps = all_crate_deps(
        proc_macro_dev = True,
    ),
)

Direct Packages

In cases where Rust targets have heavy interractions with other Bazel targets (Cc, Proto, etc.), maintaining Cargo.toml files may have deminishing returns as things like rust-analyzer begin to be confused about missing targets or environment variables defined only in Bazel. In workspaces like this, it may be desirable to have a "Cargo free" setup. crates_repository supports this through the packages attribute.

load("@rules_rust//crate_universe:defs.bzl", "crate", "crates_repository", "render_config")

crates_repository(
    name = "crate_index",
    cargo_lockfile = "//:Cargo.lock",
    lockfile = "//:Cargo.Bazel.lock",
    packages = {
        "async-trait": crate.spec(
            version = "0.1.51",
        ),
        "mockall": crate.spec(
            version = "0.10.2",
        ),
        "tokio": crate.spec(
            version = "1.12.0",
        ),
    },
    # Setting the default package name to `""` forces the use of the macros defined in this repository
    # to always use the root package when looking for dependencies or aliases. This should be considered
    # optional as the repository also exposes aliases for easy access to all dependencies.
    render_config = render_config(
        default_package_name = ""
    ),
)

load("@crate_index//:defs.bzl", "crate_repositories")

crate_repositories()

Consuming dependencies may be more ergonomic in this case through the aliases defined in the new repository.

load("@rules_rust//rust:defs.bzl", "rust_library", "rust_test")

rust_library(
    name = "lib",
    deps = [
        "@crate_index//:tokio",
    ],
    proc_macro_deps = [
        "@crate_index//:async-trait",
    ],
)

rust_test(
    name = "unit_test",
    crate = ":lib",
    deps = [
        "@crate_index//:mockall",
    ],
)

Binary dependencies

Neither of the above approaches supports depending on binary-only packages.

In order to depend on a Cargo package that contains binaries and no library, you will need to do one of the following:

  • Fork the package to add an empty lib.rs, which makes the package visible to Cargo metadata and compatible with the above approaches;

  • Or handwrite your own build target for the binary, use http_archive to import its source code, and use crates_repository to make build targets for its dependencies. This is demonstrated below using the rustfilt crate as an example.

# in WORKSPACE.bazel

load("@bazel_tools//tools/build_defs/repo:http.bzl", "http_archive")

http_archive(
    name = "rustfilt",
    build_file = "//rustfilt:BUILD.rustfilt.bazel",
    sha256 = "c8d748b182c8f95224336d20dcc5609598af612581ce60cfb29da4dc8d0091f2",
    strip_prefix = "rustfilt-0.2.1",
    type = "tar.gz",
    urls = ["https://static.crates.io/crates/rustfilt/rustfilt-0.2.1.crate"],
)

load("@rules_rust//crate_universe:defs.bzl", "crates_repository")

crates_repository(
    name = "rustfilt_deps",
    cargo_lockfile = "//rustfilt:Cargo.lock",
    manifests = ["@rustfilt//:Cargo.toml"],
)

load("@rustfilt_deps//:defs.bzl", rustfilt_deps = "crate_repositories")

rustfilt_deps()
# in rustfilt/BUILD.rustfilt.bazel

load("@rules_rust//rust:defs.bzl", "rust_binary")

rust_binary(
    name = "rustfilt",
    srcs = glob(["src/**/*.rs"]),
    edition = "2018",
    deps = [
        "@rustfilt_deps//:clap",
        "@rustfilt_deps//:lazy_static",
        "@rustfilt_deps//:regex",
        "@rustfilt_deps//:rustc-demangle",
    ],
)

If you use either crates_repository or crates_vendor to depend on a Cargo package that contains both a library crate and binaries, by default only the library gets made available to Bazel. To generate Bazel targets for the binary crates as well, you must opt in to it with an annotation on the package:

load("@rules_rust//crate_universe:defs.bzl", "crates_repository", "crate")

crates_repository(
    name = "crate_index",
    annotations = {
        "thepackage": [crate.annotation(
            gen_binaries = True,
            # Or, to expose just a subset of the package's binaries by name:
            gen_binaries = ["rustfilt"],
        )],
    },
    # Or, to expose every binary of every package:
    generate_binaries = True,
    ...
)

Dependencies API

After rendering dependencies, convenience macros may also be generated to provide convenient accessors to larger sections of the dependency graph.

Building crates with complicated dependencies

Some crates have build.rs scripts which are complicated to run. Typically these build C++ (or other languages), or attempt to find pre-installed libraries on the build machine.

There are a few approaches to making sure these run:

Some things work without intervention

Some build scripts will happily run without any support needed.

rules_rust already supplies a configured C++ toolchain as input to build script execution, and sets variables like CC, CXX, LD, LDFLAGS, etc as needed. Many crates which invoke a compiler with the default environment, or forward these env vars, will Just Work (e.g. if using cc-rs).

rules_rust is open to PRs which make build scripts more likely to work by default with intervention assuming they're broadly applicable (e.g. setting extra widely-known env vars is probably fine, wiring up additional toolchains like cmake that aren't present by default for most Bazel users probably isn't).

Supplying extra tools to build

Some build scripts can be made to work by pulling in some extra files and making them available to the build script.

Commonly this is done by passing the file to the build_script_data annotation for the crate, and using build_script_env to tell the build script where the file is. That env var may often use $(execroot) to get the path to the label, or $${pwd}/ as a prefix if the path given is relative to the execroot (as will frequently happen when using a toolchain).A

There is an example of this in the "complicated dependencies" section of https://github.com/bazelbuild/rules_rust/blob/main/examples/crate_universe/WORKSPACE.bazel which builds boring-sys.

Building with Bazel and supplying via an override

Some build scripts have hooks to allow replacing parts that are complicated to build with output prepared by Bazel.

We can use those hooks by specifying paths (generally using the build_script_data and build_script_env annotations) and pointing them at labels which Bazel will then build. These env vars may often use $(execroot) to get the path to the label, or $${pwd}/ as a prefix if the path given is relative to the execroot (as will frequently happen when using a toolchain).

There is an example of this in the "complicated dependencies" section of https://github.com/bazelbuild/rules_rust/blob/main/examples/crate_universe/WORKSPACE.bazel which builds boring-sys.



crates_vendor

load("@rules_rust//crate_universe:defs.bzl", "crates_vendor")

crates_vendor(name, annotations, bazel, buildifier, cargo_bazel, cargo_config, cargo_lockfile,
              generate_binaries, generate_build_scripts, generate_cargo_toml_env_vars,
              generate_target_compatible_with, lockfile, manifests, mode, packages, render_config,
              repository_name, splicing_config, supported_platform_triples, vendor_path)

A rule for defining Rust dependencies (crates) and writing targets for them to the current workspace. This rule is useful for users whose workspaces are expected to be consumed in other workspaces as the rendered BUILD files reduce the number of workspace dependencies, allowing for easier loads. This rule handles all the same workflows crate_universe rules do.

Example:

Given the following workspace structure:

[workspace]/
    WORKSPACE
    BUILD
    Cargo.toml
    3rdparty/
        BUILD
    src/
        main.rs

The following is something that'd be found in 3rdparty/BUILD:

load("@rules_rust//crate_universe:defs.bzl", "crates_vendor", "crate")

crates_vendor(
    name = "crates_vendor",
    annotations = {
        "rand": [crate.annotation(
            default_features = False,
            features = ["small_rng"],
        )],
    },
    cargo_lockfile = "//:Cargo.Bazel.lock",
    manifests = ["//:Cargo.toml"],
    mode = "remote",
    vendor_path = "crates",
    tags = ["manual"],
)

The above creates a target that can be run to write BUILD files into the 3rdparty directory next to where the target is defined. To run it, simply call:

bazel run //3rdparty:crates_vendor

Repinning / Updating Dependencies

Repinning dependencies is controlled by both the CARGO_BAZEL_REPIN environment variable or the --repin flag to the crates_vendor binary. To update dependencies, simply add the flag ro your bazel run invocation.

bazel run //3rdparty:crates_vendor -- --repin

Under the hood, --repin will trigger a cargo update call against the generated workspace. The following table describes how to control particular values passed to the cargo update command.

ValueCargo command
Any of [true, 1, yes, on, workspace]cargo update --workspace
Any of [full, eager, all]cargo update
package_namecargo upgrade --package package_name
package_name@1.2.3cargo upgrade --package package_name --precise 1.2.3

ATTRIBUTES

NameDescriptionTypeMandatoryDefault
nameA unique name for this target.Namerequired
annotationsExtra settings to apply to crates. See crate.annotation.Dictionary: String -> List of stringsoptional{}
bazelThe path to a bazel binary used to locate the output_base for the current workspace.LabeloptionalNone
buildifierThe path to a buildifier binary used to format generated BUILD files.Labeloptional"@rules_rust//crate_universe/private/vendor:buildifier"
cargo_bazelThe cargo-bazel binary to use for vendoring. If this attribute is not set, then a CARGO_BAZEL_GENERATOR_PATH action env will be used.Labeloptional"@@rules_rust++cu_nr+cargo_bazel_bootstrap//:binary"
cargo_configA Cargo configuration file.LabeloptionalNone
cargo_lockfileThe path to an existing Cargo.lock fileLabeloptionalNone
generate_binariesWhether to generate rust_binary targets for all the binary crates in every package. By default only the rust_library targets are generated.BooleanoptionalFalse
generate_build_scriptsWhether or not to generate cargo build scripts by default.BooleanoptionalTrue
generate_cargo_toml_env_varsWhether to generate cargo_toml_env_vars targets.BooleanoptionalTrue
generate_target_compatible_withDEPRECATED: Moved to render_config.BooleanoptionalTrue
lockfileThe path to a file to write rendering information. It contains the same information as the lockfile attribute of crates_repository. It is not used by crates_vendor but may be useful for code generators like gazelle.LabeloptionalNone
manifestsA list of Cargo manifests (Cargo.toml files).List of labelsoptional[]
modeFlags determining how crates should be vendored. local is where crate source and BUILD files are written to the repository. remote is where only BUILD files are written and repository rules used to fetch source code.Stringoptional"remote"
packagesA set of crates (packages) specifications to depend on. See crate.spec.Dictionary: String -> Stringoptional{}
render_configThe configuration flags to use for rendering. Use //crate_universe:defs.bzl\%render_config to generate the value for this field. If unset, the defaults defined there will be used.Stringoptional""
repository_nameThe name of the repository to generate for remote vendor modes. If unset, the label name will be usedStringoptional""
splicing_configThe configuration flags to use for splicing Cargo maniests. Use //crate_universe:defs.bzl\%rsplicing_config to generate the value for this field. If unset, the defaults defined there will be used.Stringoptional""
supported_platform_triplesA set of all platform triples to consider when generating dependencies.List of stringsoptional["aarch64-apple-darwin", "aarch64-apple-ios", "aarch64-apple-ios-sim", "aarch64-linux-android", "aarch64-pc-windows-msvc", "aarch64-unknown-fuchsia", "aarch64-unknown-linux-gnu", "aarch64-unknown-nixos-gnu", "aarch64-unknown-nto-qnx710", "aarch64-unknown-uefi", "arm-unknown-linux-gnueabi", "armv7-linux-androideabi", "armv7-unknown-linux-gnueabi", "i686-apple-darwin", "i686-linux-android", "i686-pc-windows-msvc", "i686-unknown-freebsd", "i686-unknown-linux-gnu", "powerpc-unknown-linux-gnu", "riscv32imc-unknown-none-elf", "riscv64gc-unknown-linux-gnu", "riscv64gc-unknown-none-elf", "s390x-unknown-linux-gnu", "thumbv7em-none-eabi", "thumbv8m.main-none-eabi", "wasm32-unknown-emscripten", "wasm32-unknown-unknown", "wasm32-wasip1", "wasm32-wasip1-threads", "wasm32-wasip2", "x86_64-apple-darwin", "x86_64-apple-ios", "x86_64-linux-android", "x86_64-pc-windows-msvc", "x86_64-unknown-freebsd", "x86_64-unknown-fuchsia", "x86_64-unknown-linux-gnu", "x86_64-unknown-nixos-gnu", "x86_64-unknown-none", "x86_64-unknown-uefi"]
vendor_pathThe path to a directory to write files into. Absolute paths will be treated as relative to the workspace rootStringoptional"crates"

crate.annotation

load("@rules_rust//crate_universe:defs.bzl", "crate")

crate.annotation(version, additive_build_file, additive_build_file_content, alias_rule,
                 build_script_compile_data, build_script_data, build_script_tools,
                 build_script_data_glob, build_script_deps, build_script_env, build_script_link_deps,
                 build_script_proc_macro_deps, build_script_rundir, build_script_rustc_env,
                 build_script_toolchains, build_script_use_default_shell_env, compile_data,
                 compile_data_glob, compile_data_glob_excludes, crate_features, data, data_glob, deps,
                 extra_aliased_targets, gen_binaries, disable_pipelining, gen_build_script,
                 patch_args, patch_tool, patches, proc_macro_deps, rustc_env, rustc_env_files,
                 rustc_flags, shallow_since, override_targets)

A collection of extra attributes and settings for a particular crate

PARAMETERS

NameDescriptionDefault Value
versionThe version or semver-conditions to match with a crate. The wildcard * matches any version, including prerelease versions."*"
additive_build_fileA file containing extra contents to write to the bottom of generated BUILD files.None
additive_build_file_contentExtra contents to write to the bottom of generated BUILD files.None
alias_ruleAlias rule to use instead of native.alias(). Overrides render_config's 'default_alias_rule'.None
build_script_compile_dataA list of labels to add to a crate's cargo_build_script::compile_data attribute.None
build_script_dataA list of labels to add to a crate's cargo_build_script::data attribute.None
build_script_toolsA list of labels to add to a crate's cargo_build_script::tools attribute.None
build_script_data_globA list of glob patterns to add to a crate's cargo_build_script::data attribute.None
build_script_depsA list of labels to add to a crate's cargo_build_script::deps attribute.None
build_script_envAdditional environment variables to set when running the crate's cargo_build_script - sets that target's build_script_env attribute.None
build_script_link_depsA list of labels to add to a crate's cargo_build_script::link_deps attribute.None
build_script_proc_macro_depsA list of labels to add to a crate's cargo_build_script::proc_macro_deps attribute.None
build_script_rundirAn override for the build script's rundir attribute.None
build_script_rustc_envAdditional environment variables to set when compiling the crate's cargo_build_script - sets that target's rustc_env attribute.None
build_script_toolchainsA list of labels to set on a crates's cargo_build_script::toolchains attribute.None
build_script_use_default_shell_envWhether or not to include the default shell environment for the build script action.None
compile_dataA list of labels to add to a crate's rust_library::compile_data attribute.None
compile_data_globA list of glob patterns to add to a crate's rust_library::compile_data attribute.None
compile_data_glob_excludesA list of glob patterns to be excluded from a crate's rust_library::compile_data attribute.None
crate_featuresA list of strings to add to a crate's rust_library::crate_features attribute.None
dataA list of labels to add to a crate's rust_library::data attribute.None
data_globA list of glob patterns to add to a crate's rust_library::data attribute.None
depsA list of labels to add to a crate's rust_library::deps attribute.None
extra_aliased_targetsA list of targets to add to the generated aliases in the root crate_universe repository.None
gen_binariesAs a list, the subset of the crate's bins that should get rust_binary targets produced. Or True to generate all, False to generate none.None
disable_pipeliningIf True, disables pipelining for library targets for this crate.False
gen_build_scriptAn authoritative flag to determine whether or not to produce cargo_build_script targets for the current crate.None
patch_argsThe patch_args attribute of a Bazel repository rule. See http_archive.patch_argsNone
patch_toolThe patch_tool attribute of a Bazel repository rule. See http_archive.patch_toolNone
patchesThe patches attribute of a Bazel repository rule. See http_archive.patchesNone
proc_macro_depsA list of labels to add to a crate's rust_library::proc_macro_deps attribute.None
rustc_envAdditional variables to set on a crate's rust_library::rustc_env attribute.None
rustc_env_filesA list of labels to set on a crate's rust_library::rustc_env_files attribute.None
rustc_flagsA list of strings to set on a crate's rust_library::rustc_flags attribute.None
shallow_sinceAn optional timestamp used for crates originating from a git repository instead of a crate registry. This flag optimizes fetching the source code.None
override_targetsA dictionary of alternate targets to use when something depends on this crate to allow the parent repo to provide its own version of this dependency. Keys can be proc-macro, custom-build, lib, bin.None

RETURNS

string: A json encoded string containing the specified version and separately all other inputs.

crate.select

load("@rules_rust//crate_universe:defs.bzl", "crate")

crate.select(common, selects)

A Starlark Select for crate.annotation().

PARAMETERS

NameDescriptionDefault Value
commonA value that applies to all configurations.none
selectsA dict of target_triple to values.none

RETURNS

struct: A struct representing the Starlark Select.

crate.spec

load("@rules_rust//crate_universe:defs.bzl", "crate")

crate.spec(package, version, artifact, lib, default_features, features, git, branch, tag, rev, path)

A constructor for a crate dependency.

See specifying dependencies in the Cargo book for more details.

PARAMETERS

NameDescriptionDefault Value
packageThe explicit name of the package (used when attempting to alias a crate).None
versionThe exact version of the crate. Cannot be used with git or path.None
artifactSet to "bin" to pull in a binary crate as an artifact dependency. Requires a nightly Cargo.None
libIf using artifact = "bin", additionally setting lib = True declares a dependency on both the package's library and binary, as opposed to just the binary.None
default_featuresMaps to the default-features flag.True
featuresA list of features to use for the crate[]
gitThe Git url to use for the crate. Cannot be used with version or path.None
branchThe git branch of the remote crate. Tied with the git param. Only one of branch, tag or rev may be specified. Specifying rev is recommended for fully-reproducible builds.None
tagThe git tag of the remote crate. Tied with the git param. Only one of branch, tag or rev may be specified. Specifying rev is recommended for fully-reproducible builds.None
revThe git revision of the remote crate. Tied with the git param. Only one of branch, tag or rev may be specified.None
pathThe local path of the remote crate. Cannot be used with version or git.None

RETURNS

string: A json encoded string of all inputs

crate.workspace_member

load("@rules_rust//crate_universe:defs.bzl", "crate")

crate.workspace_member(version, sha256)

Define information for extra workspace members

PARAMETERS

NameDescriptionDefault Value
versionThe semver of the crate to download. Must be an exact version.none
sha256The sha256 checksum of the .crate file.None

RETURNS

string: A json encoded string of all inputs

render_config

load("@rules_rust//crate_universe:defs.bzl", "render_config")

render_config(build_file_template, crate_label_template, crate_alias_template,
              crate_repository_template, crates_module_template, default_alias_rule,
              default_package_name, generate_cargo_toml_env_vars, generate_target_compatible_with,
              platforms_template, regen_command, vendor_mode, generate_rules_license_metadata)

Various settings used to configure rendered outputs

The template parameters each support a select number of format keys. A description of each key can be found below where the supported keys for each template can be found in the parameter docs

keydefinition
nameThe name of the crate. Eg tokio
repositoryThe rendered repository name for the crate. Directly relates to crate_repository_template.
tripleA platform triple. Eg x86_64-unknown-linux-gnu
versionThe crate version. Eg 1.2.3
targetThe library or binary target of the crate
fileThe basename of a file

PARAMETERS

NameDescriptionDefault Value
build_file_templateThe base template to use for BUILD file names. The available format keys are [{name}, {version}`]."//:BUILD.{name}-{version}.bazel"
crate_label_templateThe base template to use for crate labels. The available format keys are [{repository}, {name}, {version}, {target}]."@{repository}__{name}-{version}//:{target}"
crate_alias_templateThe template to use when referring to generated aliases within the external repository. The available format keys are [{repository}, {name}, {version}]."//:{name}-{version}"
crate_repository_templateThe base template to use for Crate label repository names. The available format keys are [{repository}, {name}, {version}]."{repository}__{name}-{version}"
crates_module_templateThe pattern to use for the defs.bzl and BUILD.bazel file names used for the crates module. The available format keys are [{file}]."//:{file}"
default_alias_ruleAlias rule to use when generating aliases for all crates. Acceptable values are 'alias', 'dbg'/'fastbuild'/'opt' (transitions each crate's compilation_mode) or a string representing a rule in the form '<label to .bzl>:' that takes a single label parameter 'actual'. See '@crate_index//:alias_rules.bzl' for an example."alias"
default_package_nameThe default package name to use in the rendered macros. This affects the auto package detection of things like all_crate_deps.None
generate_cargo_toml_env_varsWhether to generate cargo_toml_env_vars targets. This is expected to be true except when bootstrapping.True
generate_target_compatible_withWhether to generate target_compatible_with annotations on the generated BUILD files. This catches a target_triplebeing targeted that isn't declared in supported_platform_triples.True
platforms_templateThe base template to use for platform names. See platforms documentation. The available format keys are [{triple}]."@rules_rust//rust/platform:{triple}"
regen_commandAn optional command to demonstrate how generated files should be regenerated.None
vendor_modeAn optional configuration for rendirng content to be rendered into repositories.None
generate_rules_license_metadataWhether to generate rules license metadataFalse

RETURNS

string: A json encoded struct to match the Rust config::RenderConfig struct

splicing_config

load("@rules_rust//crate_universe:defs.bzl", "splicing_config")

splicing_config(resolver_version)

Various settings used to configure Cargo manifest splicing behavior.

PARAMETERS

NameDescriptionDefault Value
resolver_versionThe resolver version to use in generated Cargo manifests. This flag is only used when splicing a manifest from direct package definitions. See crates_repository::packages."2"

RETURNS

str: A json encoded string of the parameters provided

crates_repository

load("@rules_rust//crate_universe:defs.bzl", "crates_repository")

crates_repository(name, annotations, cargo_config, cargo_lockfile,
                  compressed_windows_toolchain_names, generate_binaries, generate_build_scripts,
                  generate_target_compatible_with, generator, generator_sha256s, generator_urls,
                  isolated, lockfile, manifests, packages, quiet, render_config, repin_instructions,
                  repo_mapping, rust_toolchain_cargo_template, rust_toolchain_rustc_template,
                  rust_version, skip_cargo_lockfile_overwrite, splicing_config,
                  supported_platform_triples)

A rule for defining and downloading Rust dependencies (crates). This rule handles all the same workflows crate_universe rules do.

Environment Variables:

variableusage
CARGO_BAZEL_GENERATOR_SHA256The sha256 checksum of the file located at CARGO_BAZEL_GENERATOR_URL
CARGO_BAZEL_GENERATOR_URLThe URL of a cargo-bazel binary. This variable takes precedence over attributes and can use file:// for local paths
CARGO_BAZEL_ISOLATEDAn authoritative flag as to whether or not the CARGO_HOME environment variable should be isolated from the host configuration
CARGO_BAZEL_REPINAn indicator that the dependencies represented by the rule should be regenerated. REPIN may also be used. See Repinning / Updating Dependencies for more details.
CARGO_BAZEL_REPIN_ONLYA comma-delimited allowlist for rules to execute repinning. Can be useful if multiple instances of the repository rule are used in a Bazel workspace, but repinning should be limited to one of them.
CARGO_BAZEL_TIMEOUTAn integer value to override the default timeout setting when running the cargo-bazel binary. This value must be in seconds.

Example:

Given the following workspace structure:

[workspace]/
    WORKSPACE.bazel
    BUILD.bazel
    Cargo.toml
    Cargo.Bazel.lock
    src/
        main.rs

The following is something that'd be found in the WORKSPACE file:

load("@rules_rust//crate_universe:defs.bzl", "crates_repository", "crate")

crates_repository(
    name = "crate_index",
    annotations = {
        "rand": [crate.annotation(
            default_features = False,
            features = ["small_rng"],
        )],
    },
    cargo_lockfile = "//:Cargo.Bazel.lock",
    lockfile = "//:cargo-bazel-lock.json",
    manifests = ["//:Cargo.toml"],
    # Should match the version represented by the currently registered `rust_toolchain`.
    rust_version = "1.60.0",
)

The above will create an external repository which contains aliases and macros for accessing Rust targets found in the dependency graph defined by the given manifests.

NOTE: The cargo_lockfile and lockfile must be manually created. The rule unfortunately does not yet create it on its own. When initially setting up this rule, an empty file should be created and then populated by repinning dependencies.

Repinning / Updating Dependencies

Dependency syncing and updating is done in the repository rule which means it's done during the analysis phase of builds. As mentioned in the environments variable table above, the CARGO_BAZEL_REPIN (or REPIN) environment variables can be used to force the rule to update dependencies and potentially render a new lockfile. Given an instance of this repository rule named crate_index, the easiest way to repin dependencies is to run:

CARGO_BAZEL_REPIN=1 bazel sync --only=crate_index

This will result in all dependencies being updated for a project. The CARGO_BAZEL_REPIN environment variable can also be used to customize how dependencies are updated. The following table shows translations from environment variable values to the equivalent cargo update command that is called behind the scenes to update dependencies.

ValueCargo command
Any of [true, 1, yes, on, workspace]cargo update --workspace
Any of [full, eager, all]cargo update
package_namecargo upgrade --package package_name
package_name@1.2.3cargo upgrade --package package_name@1.2.3
package_name@1.2.3=4.5.6cargo upgrade --package package_name@1.2.3 --precise=4.5.6

If the crates_repository is used multiple times in the same Bazel workspace (e.g. for multiple independent Rust workspaces), it may additionally be useful to use the CARGO_BAZEL_REPIN_ONLY environment variable, which limits execution of the repinning to one or multiple instances of the crates_repository rule via a comma-delimited allowlist:

CARGO_BAZEL_REPIN=1 CARGO_BAZEL_REPIN_ONLY=crate_index bazel sync --only=crate_index

ATTRIBUTES

NameDescriptionTypeMandatoryDefault
nameA unique name for this repository.Namerequired
annotationsExtra settings to apply to crates. See crate.annotation.Dictionary: String -> List of stringsoptional{}
cargo_configA Cargo configuration fileLabeloptionalNone
cargo_lockfileThe path used to store the crates_repository specific Cargo.lock file. In the case that your crates_repository corresponds directly with an existing Cargo.toml file which has a paired Cargo.lock file, that Cargo.lock file should be used here, which will keep the versions used by cargo and bazel in sync.Labelrequired
compressed_windows_toolchain_namesWhether or not the toolchain names of windows toolchains are expected to be in a compressed format.BooleanoptionalTrue
generate_binariesWhether to generate rust_binary targets for all the binary crates in every package. By default only the rust_library targets are generated.BooleanoptionalFalse
generate_build_scriptsWhether or not to generate cargo build scripts by default.BooleanoptionalTrue
generate_target_compatible_withDEPRECATED: Moved to render_config.BooleanoptionalTrue
generatorThe absolute label of a generator. Eg. @cargo_bazel_bootstrap//:cargo-bazel. This is typically used when bootstrappingStringoptional""
generator_sha256sDictionary of host_triple -> sha256 for a cargo-bazel binary.Dictionary: String -> Stringoptional{}
generator_urlsURL template from which to download the cargo-bazel binary. {host_triple} and will be filled in according to the host platform.Dictionary: String -> Stringoptional{}
isolatedIf true, CARGO_HOME will be overwritten to a directory within the generated repository in order to prevent other uses of Cargo from impacting having any effect on the generated targets produced by this rule. For users who either have multiple crate_repository definitions in a WORKSPACE or rapidly re-pin dependencies, setting this to false may improve build times. This variable is also controlled by CARGO_BAZEL_ISOLATED environment variable.BooleanoptionalTrue
lockfileThe path to a file to use for reproducible renderings. If set, this file must exist within the workspace (but can be empty) before this rule will work.If you already have a MODULE.bazel.lock file, you don't need this.If you don't have a MODULE.bazel.lock file, the lockfile will save you generation time.LabeloptionalNone
manifestsA list of Cargo manifests (Cargo.toml files).List of labelsoptional[]
packagesA set of crates (packages) specifications to depend on. See crate.spec.Dictionary: String -> Stringoptional{}
quietIf stdout and stderr should not be printed to the terminal.BooleanoptionalTrue
render_configThe configuration flags to use for rendering. Use //crate_universe:defs.bzl\%render_config to generate the value for this field. If unset, the defaults defined there will be used.Stringoptional""
repin_instructionsInstructions to re-pin the repository if required. Many people have wrapper scripts for keeping dependencies up to date, and would like to point users to that instead of the default.Stringoptional""
repo_mappingIn WORKSPACE context only: a dictionary from local repository name to global repository name. This allows controls over workspace dependency resolution for dependencies of this repository.

For example, an entry "@foo": "@bar" declares that, for any time this repository depends on @foo (such as a dependency on @foo//some:target, it should actually resolve that dependency within globally-declared @bar (@bar//some:target).

This attribute is not supported in MODULE.bazel context (when invoking a repository rule inside a module extension's implementation function).
Dictionary: String -> Stringoptional
rust_toolchain_cargo_templateThe template to use for finding the host cargo binary. {version} (eg. '1.53.0'), {triple} (eg. 'x86_64-unknown-linux-gnu'), {arch} (eg. 'aarch64'), {vendor} (eg. 'unknown'), {system} (eg. 'darwin'), {cfg} (eg. 'exec'), {channel} (eg. 'stable'), and {tool} (eg. 'rustc.exe') will be replaced in the string if present.Stringoptional"@rust_{system}_{arch}__{triple}__{channel}_tools//:bin/{tool}"
rust_toolchain_rustc_templateThe template to use for finding the host rustc binary. {version} (eg. '1.53.0'), {triple} (eg. 'x86_64-unknown-linux-gnu'), {arch} (eg. 'aarch64'), {vendor} (eg. 'unknown'), {system} (eg. 'darwin'), {cfg} (eg. 'exec'), {channel} (eg. 'stable'), and {tool} (eg. 'cargo.exe') will be replaced in the string if present.Stringoptional"@rust_{system}_{arch}__{triple}__{channel}_tools//:bin/{tool}"
rust_versionThe version of Rust the currently registered toolchain is using. Eg. 1.56.0, or nightly/2021-09-08Stringoptional"1.86.0"
skip_cargo_lockfile_overwriteWhether to skip writing the cargo lockfile back after resolving. You may want to set this if your dependency versions are maintained externally through a non-trivial set-up. But you probably don't want to set this.BooleanoptionalFalse
splicing_configThe configuration flags to use for splicing Cargo maniests. Use //crate_universe:defs.bzl\%rsplicing_config to generate the value for this field. If unset, the defaults defined there will be used.Stringoptional""
supported_platform_triplesA set of all platform triples to consider when generating dependencies.List of stringsoptional["aarch64-apple-darwin", "aarch64-unknown-linux-gnu", "wasm32-unknown-unknown", "wasm32-wasip1", "x86_64-pc-windows-msvc", "x86_64-unknown-linux-gnu", "x86_64-unknown-nixos-gnu"]

ENVIRONMENT VARIABLES

This repository rule depends on the following environment variables:

  • CARGO_BAZEL_GENERATOR_URL
  • CARGO_BAZEL_GENERATOR_SHA256
  • CARGO_BAZEL_REPIN
  • REPIN
  • CARGO_BAZEL_REPIN_ONLY
  • CARGO_BAZEL_ISOLATED
  • CARGO_BAZEL_DEBUG
  • CARGO_BAZEL_TIMEOUT

Upstream Tooling

rules_rust manages versions of things like rustc. If you want to manually run upstream tooling configured at the versions, plugins and such that rules_rust has configured, rules_rust exposes these as targets in @rules_rust//tools/upstream_wrapper:

% bazel query @rules_rust//tools/upstream_wrapper
@rules_rust//tools/upstream_wrapper:cargo
@rules_rust//tools/upstream_wrapper:cargo_clippy
@rules_rust//tools/upstream_wrapper:rustc
@rules_rust//tools/upstream_wrapper:rustfmt

You can run them via bazel run, e.g. bazel run @rules_rust//tools/upstream_wrapper:cargo -- check.

IDE Integrations

VSCode

Intellisense

The best intellisense integrations to date are documented for rust-analyzer. Please refer to this documentation for setup instructions.

Debugging

rules_rust offers tooling to generate VSCode targets for running rust_binary and rust_test targets with a debugger in VSCode.

Prerequisites

Install CodeLLDB extension in VSCode.

Generate Launch Configurations

Generate VSCode launch.json for debugging all Rust targets in the current workspace:

bazel run @rules_rust//tools/vscode:gen_launch_json

To scope debug generated launch.json targets, query patterns can be passed:

bazel run @rules_rust//tools/vscode:gen_launch_json -- //path/to/...

Bazel targets should now be available for debugging via the "Run and Debug" menu.

Extensions

rules_rust_bindgen

These rules are for using Bindgen to generate Rust bindings to C (and some C++) libraries.

Rules

Setup

Bzlmod

To use the Rust bindgen rules, add the following to your MODULE.bazel file:

bazel_dep(name = "rules_rust_bindgen", version = "{SEE_RELEASE_NOTES}")

rules_rust_bindgen does not automatically register a bindgen toolchain. You need to register either your own or the default toolchain by adding the following to your MODULE.bazel file:

register_toolchains("@rules_rust_bindgen//:default_bindgen_toolchain")

The default toolchain builds libclang from source via the llvm-project bazel_dep. examples/bindgen_toolchain shows how to use a prebuilt libclang.

Workspace

Or add the following if you're still using WORKSPACE to add the external repositories for the Rust bindgen toolchain (in addition to the rust rules setup):

load("@rules_rust_bindgen//:repositories.bzl", "rust_bindgen_dependencies", "rust_bindgen_register_toolchains")

rust_bindgen_dependencies()

rust_bindgen_register_toolchains()

load("@rules_rust_bindgen//:transitive_repositories.bzl", "rust_bindgen_transitive_dependencies")

rust_bindgen_transitive_dependencies()

Bindgen aims to be as hermetic as possible so will end up building libclang from llvm-project from source. If this is found to be undesirable then no Bindgen related calls should be added to your WORKSPACE and instead users should define their own repositories using something akin to crate_universe and define their own toolchains following the instructions for rust_bindgen_toolchain.



rust_bindgen

load("@rules_rust_bindgen//:defs.bzl", "rust_bindgen")

rust_bindgen(name, bindgen_flags, cc_lib, clang_flags, header, merge_cc_lib_objects_into_rlib,
             wrap_static_fns)

Generates a rust source file from a cc_library and a header.

ATTRIBUTES

NameDescriptionTypeMandatoryDefault
nameA unique name for this target.Namerequired
bindgen_flagsFlags to pass directly to the bindgen executable. See https://rust-lang.github.io/rust-bindgen/ for details.List of stringsoptional[]
cc_libThe cc_library that contains the .h file. This is used to find the transitive includes.Labelrequired
clang_flagsFlags to pass directly to the clang executable.List of stringsoptional[]
headerThe .h file to generate bindings for.Labelrequired
merge_cc_lib_objects_into_rlibWhen True, objects from cc_lib will be copied into the rlib archive produced by the rust_library that depends on this rust_bindgen rule (using BuildInfo provider)BooleanoptionalTrue
wrap_static_fnsWhether to create a separate .c file for static fns. Requires nightly toolchain, and a header that actually needs this feature (otherwise bindgen won't generate the file and Bazel complains).BooleanoptionalFalse

rust_bindgen_toolchain

load("@rules_rust_bindgen//:defs.bzl", "rust_bindgen_toolchain")

rust_bindgen_toolchain(name, bindgen, clang, default_rustfmt, libclang, libstdcxx)

The tools required for the rust_bindgen rule.

This rule depends on the bindgen binary crate, and it in turn depends on both a clang binary and the clang library. To obtain these dependencies, rust_bindgen_dependencies imports bindgen and its dependencies.

load("@rules_rust_bindgen//:defs.bzl", "rust_bindgen_toolchain")

rust_bindgen_toolchain(
    name = "bindgen_toolchain_impl",
    bindgen = "//my/rust:bindgen",
    clang = "//my/clang:clang",
    libclang = "//my/clang:libclang.so",
    libstdcxx = "//my/cpp:libstdc++",
)

toolchain(
    name = "bindgen_toolchain",
    toolchain = "bindgen_toolchain_impl",
    toolchain_type = "@rules_rust_bindgen//:toolchain_type",
)

This toolchain will then need to be registered in the current WORKSPACE. For additional information, see the Bazel toolchains documentation.

ATTRIBUTES

NameDescriptionTypeMandatoryDefault
nameA unique name for this target.Namerequired
bindgenThe label of a bindgen executable.LabeloptionalNone
clangThe label of a clang executable.LabeloptionalNone
default_rustfmtIf set, rust_bindgen targets will always format generated sources with rustfmt.BooleanoptionalTrue
libclangA cc_library that provides bindgen's runtime dependency on libclang.LabeloptionalNone
libstdcxxA cc_library that satisfies libclang's libstdc++ dependency. This is used to make the execution of clang hermetic. If None, system libraries will be used instead.LabeloptionalNone

rust_bindgen_library

load("@rules_rust_bindgen//:defs.bzl", "rust_bindgen_library")

rust_bindgen_library(name, header, cc_lib, bindgen_flags, bindgen_features, clang_flags,
                     wrap_static_fns, **kwargs)

Generates a rust source file for header, and builds a rust_library.

Arguments are the same as rust_bindgen, and kwargs are passed directly to rust_library.

PARAMETERS

NameDescriptionDefault Value
nameA unique name for this target.none
headerThe label of the .h file to generate bindings for.none
cc_libThe label of the cc_library that contains the .h file. This is used to find the transitive includes.none
bindgen_flagsFlags to pass directly to the bindgen executable. See https://rust-lang.github.io/rust-bindgen/ for details.None
bindgen_featuresThe features attribute for the rust_bindgen target.None
clang_flagsFlags to pass directly to the clang executable.None
wrap_static_fnsWhether to create a separate .c file for static fns. Requires nightly toolchain, and a header that actually needs this feature (otherwise bindgen won't generate the file and Bazel complains",False
kwargsArguments to forward to the underlying rust_library rule.none

rules_rust_mdbook

Bazel rules for mdBook.

Rules

Setup

bzlmod

bazel_dep(name = "rules_rust_mdbook", version = "{SEE_RELEASE_NOTES}")

WORKSPACE

load("@rules_rust_mdbook//:repositories.bzl", "mdbook_register_toolchains", "rules_mdbook_dependencies")

rules_mdbook_dependencies()

mdbook_register_toolchains()

load("@rules_rust_mdbook//:repositories_transitive.bzl", "rules_mdbook_transitive_deps")

rules_mdbook_transitive_deps()


mdbook

load("@rules_rust_mdbook//:defs.bzl", "mdbook")

mdbook(name, srcs, book, plugins)

Rules to create book from markdown files using mdBook.

ATTRIBUTES

NameDescriptionTypeMandatoryDefault
nameA unique name for this target.Namerequired
srcsAll inputs to the book.List of labelsoptional[]
bookThe book.toml file.Labelrequired
pluginsExecutables to inject into PATH for use in preprocessor commands.List of labelsoptional[]

mdbook_server

load("@rules_rust_mdbook//:defs.bzl", "mdbook_server")

mdbook_server(name, book, hostname, port)

Spawn an mdbook server for a given mdbook target.

ATTRIBUTES

NameDescriptionTypeMandatoryDefault
nameA unique name for this target.Namerequired
bookThe mdbook target to serve.Labelrequired
hostnameThe default hostname to use (Can be overridden on the command line).Stringoptional"localhost"
portThe default port to use (Can be overridden on the command line).Stringoptional"3000"

mdbook_toolchain

load("@rules_rust_mdbook//:defs.bzl", "mdbook_toolchain")

mdbook_toolchain(name, mdbook, plugins)

A mdBook toolchain.

ATTRIBUTES

NameDescriptionTypeMandatoryDefault
nameA unique name for this target.Namerequired
mdbookA mdBook binary.Labelrequired
pluginsExecutables to inject into PATH for use in preprocessor commands.List of labelsoptional[]

rules_rust_prost

These build rules are used for building protobufs/gRPC in Rust with Bazel using Prost and Tonic

Rules

Setup

load("@rules_rust//proto/prost:repositories.bzl", "rust_prost_dependencies")

rust_prost_dependencies()

load("@rules_rust//proto/prost:transitive_repositories.bzl", "rust_prost_transitive_repositories")

rust_prost_transitive_repositories()

The prost and tonic rules do not specify a default toolchain in order to avoid mismatched dependency issues. To setup the prost and tonic toolchain, please see the section Customizing prost and tonic Dependencies.

For additional information about Bazel toolchains, see here.

Customizing prost and tonic Dependencies

These rules depend on the prost and tonic dependencies. To setup the necessary toolchain for these rules, you must define a toolchain with the prost, prost-types, tonic, protoc-gen-prost, and protoc-gen-tonic crates as well as the protoc binary.

To get access to these crates, you can use the crate_universe repository rules. For example:

load("//crate_universe:defs.bzl", "crate", "crates_repository")

crates_repository(
    name = "crates_io",
    annotations = {
        "protoc-gen-prost": [crate.annotation(
            gen_binaries = ["protoc-gen-prost"],
            patch_args = [
                "-p1",
            ],
            patches = [
                # Note: You will need to use this patch until a version greater than `0.2.2` of
                # `protoc-gen-prost` is released.
                "@rules_rust//proto/prost/private/3rdparty/patches:protoc-gen-prost.patch",
            ],
        )],
        "protoc-gen-tonic": [crate.annotation(
            gen_binaries = ["protoc-gen-tonic"],
        )],
    },
    cargo_lockfile = "Cargo.Bazel.lock",
    mode = "remote",
    packages = {
        "prost": crate.spec(
            version = "0",
        ),
        "prost-types": crate.spec(
            version = "0",
        ),
        "protoc-gen-prost": crate.spec(
            version = "0",
        ),
        "protoc-gen-tonic": crate.spec(
            version = "0",
        ),
        "tonic": crate.spec(
            version = "0",
        ),
    },
    repository_name = "rules_rust_prost",
    tags = ["manual"],
)

You can then define a toolchain with the rust_prost_toolchain rule which uses the crates defined above. For example:

load("@rules_rust//proto/prost:defs.bzl", "rust_prost_toolchain")
load("@rules_rust//rust:defs.bzl", "rust_library_group")

rust_library_group(
    name = "prost_runtime",
    deps = [
        "@crates_io//:prost",
    ],
)

rust_library_group(
    name = "tonic_runtime",
    deps = [
        ":prost_runtime",
        "@crates_io//:tonic",
    ],
)

rust_prost_toolchain(
    name = "prost_toolchain_impl",
    prost_plugin = "@crates_io//:protoc-gen-prost__protoc-gen-prost",
    prost_runtime = ":prost_runtime",
    prost_types = "@crates_io//:prost-types",
    proto_compiler = "@com_google_protobuf//:protoc",
    tonic_plugin = "@crates_io//:protoc-gen-tonic__protoc-gen-tonic",
    tonic_runtime = ":tonic_runtime",
)

toolchain(
    name = "prost_toolchain",
    toolchain = "prost_toolchain_impl",
    toolchain_type = "@rules_rust//proto/prost:toolchain_type",
)

Lastly, you must register the toolchain in your WORKSPACE file. For example:

register_toolchains("//toolchains:prost_toolchain")


rust_prost_library

load("@rules_rust_prost//:defs.bzl", "rust_prost_library")

rust_prost_library(name, proto)

A rule for generating a Rust library using Prost.

ATTRIBUTES

NameDescriptionTypeMandatoryDefault
nameA unique name for this target.Namerequired
protoA proto_library target for which to generate Rust gencode.Labelrequired

rust_prost_toolchain

load("@rules_rust_prost//:defs.bzl", "rust_prost_toolchain")

rust_prost_toolchain(name, compile_well_known_types, include_transitive_deps, prost_opts,
                     prost_plugin, prost_plugin_flag, prost_runtime, prost_types, proto_compiler,
                     tonic_opts, tonic_plugin, tonic_plugin_flag, tonic_runtime)

Rust Prost toolchain rule.

ATTRIBUTES

NameDescriptionTypeMandatoryDefault
nameA unique name for this target.Namerequired
compile_well_known_typesCorresponds to prost_build's compile_well_known_types option. If set to False, well-known-types will not be compiled by prost, and instead rely on the provided Prost types crate.BooleanoptionalTrue
include_transitive_depsWhether to include transitive dependencies. If set to True, all transitive dependencies will directly accessible by the dependent crate.BooleanoptionalFalse
prost_optsAdditional options to add to Prost.List of stringsoptional[]
prost_pluginAdditional plugins to add to Prost.Labelrequired
prost_plugin_flagProst plugin flag format. (e.g. --plugin=protoc-gen-prost=%s)Stringoptional"--plugin=protoc-gen-prost=%s"
prost_runtimeThe Prost runtime crates to use.Labelrequired
prost_typesThe Prost types crates to use.Labelrequired
proto_compilerThe protoc compiler to use. Note that this attribute is deprecated - prefer to use --incompatible_enable_proto_toolchain_resolution.LabeloptionalNone
tonic_optsAdditional options to add to Tonic.List of stringsoptional[]
tonic_pluginAdditional plugins to add to Tonic.LabeloptionalNone
tonic_plugin_flagTonic plugin flag format. (e.g. --plugin=protoc-gen-tonic=%s))Stringoptional"--plugin=protoc-gen-tonic=%s"
tonic_runtimeThe Tonic runtime crates to use.LabeloptionalNone

rust_prost_transform

load("@rules_rust_prost//:defs.bzl", "rust_prost_transform")

rust_prost_transform(name, deps, srcs, crate_name, prost_opts, tonic_opts)

A rule for transforming the outputs of ProstGenProto actions.

This rule is used by adding it to the data attribute of proto_library targets. E.g.

load("@rules_proto//proto:defs.bzl", "proto_library")
load("@rules_rust_prost//:defs.bzl", "rust_prost_library", "rust_prost_transform")

rust_prost_transform(
    name = "a_transform",
    srcs = [
        "a_src.rs",
    ],
)

proto_library(
    name = "a_proto",
    srcs = [
        "a.proto",
    ],
    data = [
        ":transform",
    ],
)

rust_prost_library(
    name = "a_rs_proto",
    proto = ":a_proto",
)

The rust_prost_library will spawn an action on the a_proto target which consumes the a_transform rule to provide a means of granularly modifying a proto library for ProstGenProto actions with minimal impact to other consumers.

ATTRIBUTES

NameDescriptionTypeMandatoryDefault
nameA unique name for this target.Namerequired
depsAdditional dependencies to add to the compiled crate.List of labelsoptional[]
srcsAdditional source files to include in generated Prost source code.List of labelsoptional[]
crate_nameThe name of the crate generated by Prost. This is used to override the default name which is the name of the proto_library target.Stringoptional""
prost_optsAdditional options to add to Prost.List of stringsoptional[]
tonic_optsAdditional options to add to Tonic.List of stringsoptional[]

rules_rust_protobuf

These build rules are used for building protobufs/gRPC in Rust with Bazel using rust-protobuf.

Setup

To use the Rust proto rules, add the following to your WORKSPACE file to add the external repositories for the Rust proto toolchain (in addition to the rust rules setup):

load("@rules_rust//proto/protobuf:repositories.bzl", "rust_proto_protobuf_dependencies", "rust_proto_protobuf_register_toolchains")

rust_proto_protobuf_dependencies()

rust_proto_protobuf_register_toolchains()

load("@rules_rust//proto/protobuf:transitive_repositories.bzl", "rust_proto_protobuf_transitive_repositories")

rust_proto_protobuf_transitive_repositories()

This will load the required dependencies for the rust-protobuf rules. It will also register a default toolchain for the rust_proto_library and rust_grpc_library rules.

To customize the rust_proto_library and rust_grpc_library toolchain, please see the section Customizing rust-protobuf Dependencies.

For additional information about Bazel toolchains, see here.

Customizing rust-protobuf Dependencies

These rules depend on the protobuf and the grpc crates in addition to the protobuf compiler. To obtain these crates, rust_proto_repositories imports the given crates using BUILD files generated with crate_universe.

If you want to either change the protobuf and gRPC rust compilers, or to simply use crate_universe in a more complex scenario (with more dependencies), you must redefine those dependencies.

To do this, once you've imported the needed dependencies (see our @rules_rust//proto/protobuf/3rdparty/BUILD.bazel file to see the default dependencies), you need to create your own toolchain. To do so you can create a BUILD file with your toolchain definition, for example:

load("@rules_rust//proto:toolchain.bzl", "rust_proto_toolchain")

rust_proto_toolchain(
    name = "proto-toolchain-impl",
    # Path to the protobuf compiler.
    protoc = "@com_google_protobuf//:protoc",
    # Protobuf compiler plugin to generate rust gRPC stubs.
    grpc_plugin = "//3rdparty/crates:cargo_bin_protoc_gen_rust_grpc",
    # Protobuf compiler plugin to generate rust protobuf stubs.
    proto_plugin = "//3rdparty/crates:cargo_bin_protoc_gen_rust",
)

toolchain(
    name = "proto-toolchain",
    toolchain = ":proto-toolchain-impl",
    toolchain_type = "@rules_rust//proto/protobuf:toolchain_type",
)

Now that you have your own toolchain, you need to register it by inserting the following statement in your WORKSPACE file:

register_toolchains("//my/toolchains:proto-toolchain")

Finally, you might want to set the rust_deps attribute in rust_proto_library and rust_grpc_library to change the compile-time dependencies:

rust_proto_library(
    ...
    rust_deps = ["//3rdparty/crates:protobuf"],
    ...
)

rust_grpc_library(
    ...
    rust_deps = [
        "//3rdparty/crates:protobuf",
        "//3rdparty/crates:grpc",
        "//3rdparty/crates:tls_api",
        "//3rdparty/crates:tls_api_stub",
    ],
    ...
)

Note: Ideally, we would inject those dependencies from the toolchain, but due to bazelbuild/bazel#6889 all dependencies added via the toolchain ends-up being in the wrong configuration.



rust_grpc_library

load("@rules_rust_protobuf//:defs.bzl", "rust_grpc_library")

rust_grpc_library(name, deps, crate_name, rust_deps, rustc_flags)

Builds a Rust library crate from a set of proto_librarys suitable for gRPC.

Example:

load("@rules_rust_protobuf//:defs.bzl", "rust_grpc_library")

proto_library(
    name = "my_proto",
    srcs = ["my.proto"]
)

rust_grpc_library(
    name = "rust",
    deps = [":my_proto"],
)

rust_binary(
    name = "my_service",
    srcs = ["my_service.rs"],
    deps = [":rust"],
)

ATTRIBUTES

NameDescriptionTypeMandatoryDefault
nameA unique name for this target.Namerequired
depsList of proto_library dependencies that will be built. One crate for each proto_library will be created with the corresponding gRPC stubs.List of labelsrequired
crate_nameCrate name to use for this target.

This must be a valid Rust identifier, i.e. it may contain only alphanumeric characters and underscores. Defaults to the target name, with any hyphens replaced by underscores.
Stringoptional""
rust_depsThe crates the generated library depends on.List of labelsoptional[]
rustc_flagsList of compiler flags passed to rustc.

These strings are subject to Make variable expansion for predefined source/output path variables like $location, $execpath, and $rootpath. This expansion is useful if you wish to pass a generated file of arguments to rustc: @$(location //package:target).
List of stringsoptional[]

rust_proto_library

load("@rules_rust_protobuf//:defs.bzl", "rust_proto_library")

rust_proto_library(name, deps, crate_name, rust_deps, rustc_flags)

Builds a Rust library crate from a set of proto_librarys.

Example:

load("@rules_rust_protobuf//:defs.bzl", "rust_proto_library")

proto_library(
    name = "my_proto",
    srcs = ["my.proto"]
)

rust_proto_library(
    name = "rust",
    deps = [":my_proto"],
)

rust_binary(
    name = "my_proto_binary",
    srcs = ["my_proto_binary.rs"],
    deps = [":rust"],
)

ATTRIBUTES

NameDescriptionTypeMandatoryDefault
nameA unique name for this target.Namerequired
depsList of proto_library dependencies that will be built. One crate for each proto_library will be created with the corresponding stubs.List of labelsrequired
crate_nameCrate name to use for this target.

This must be a valid Rust identifier, i.e. it may contain only alphanumeric characters and underscores. Defaults to the target name, with any hyphens replaced by underscores.
Stringoptional""
rust_depsThe crates the generated library depends on.List of labelsoptional[]
rustc_flagsList of compiler flags passed to rustc.

These strings are subject to Make variable expansion for predefined source/output path variables like $location, $execpath, and $rootpath. This expansion is useful if you wish to pass a generated file of arguments to rustc: @$(location //package:target).
List of stringsoptional[]

rules_rust_pyo3

pyo3_toolchain

load("@rules_rust_pyo3//:defs.bzl", "pyo3_toolchain")

pyo3_toolchain(name)

Define a toolchain which generates config data for the PyO3 for producing extension modules on any target platform.

Note that this toolchain expects the pyo3 crate to be built with the following features:

When using rules_rust's crate_universe, this data can be plubmed into the target using the following snippet.

annotations = {
    "pyo3-build-config": [
        crate.annotation(
            build_script_data = [
                "@rules_rust_pyo3//:current_pyo3_toolchain",
            ],
            build_script_env = {
                "PYO3_CROSS": "$(PYO3_CROSS)",
                "PYO3_CROSS_LIB_DIR": "$(PYO3_CROSS_LIB_DIR)",
                "PYO3_CROSS_PYTHON_IMPLEMENTATION": "$(PYO3_CROSS_PYTHON_IMPLEMENTATION)",
                "PYO3_CROSS_PYTHON_VERSION": "$(PYO3_CROSS_PYTHON_VERSION)",
                "PYO3_NO_PYTHON": "$(PYO3_NO_PYTHON)",
                "PYO3_PYTHON": "$(PYO3_PYTHON)",
            },
            build_script_toolchains = [
                "@rules_rust_pyo3//:current_pyo3_toolchain",
            ],
        ),
    ],
    "pyo3-ffi": [
        crate.annotation(
            build_script_data = [
                "@rules_rust_pyo3//:current_pyo3_toolchain",
            ],
            build_script_env = {
                "PYO3_CROSS": "$(PYO3_CROSS)",
                "PYO3_CROSS_LIB_DIR": "$(PYO3_CROSS_LIB_DIR)",
                "PYO3_CROSS_PYTHON_IMPLEMENTATION": "$(PYO3_CROSS_PYTHON_IMPLEMENTATION)",
                "PYO3_CROSS_PYTHON_VERSION": "$(PYO3_CROSS_PYTHON_VERSION)",
                "PYO3_NO_PYTHON": "$(PYO3_NO_PYTHON)",
                "PYO3_PYTHON": "$(PYO3_PYTHON)",
            },
            build_script_toolchains = [
                "@rules_rust_pyo3//:current_pyo3_toolchain",
            ],
        ),
    ],
},

ATTRIBUTES

NameDescriptionTypeMandatoryDefault
nameA unique name for this target.Namerequired

rust_pyo3_toolchain

load("@rules_rust_pyo3//:defs.bzl", "rust_pyo3_toolchain")

rust_pyo3_toolchain(name, pyo3, pyo3_introspection)

Define a toolchain for PyO3 Rust dependencies which power internal rules.

This toolchain is how the rules know which version of pyo3 to link against.

ATTRIBUTES

NameDescriptionTypeMandatoryDefault
nameA unique name for this target.Namerequired
pyo3The PyO3 library.Labelrequired
pyo3_introspectionThe PyO3 introspection library.Labelrequired

pyo3_extension

load("@rules_rust_pyo3//:defs.bzl", "pyo3_extension")

pyo3_extension(*, name, srcs, aliases, compile_data, crate_features, crate_root, data, deps,
               edition, imports, proc_macro_deps, rustc_env, rustc_env_files, rustc_flags, stubs,
               version, compilation_mode, **kwargs)

Define a PyO3 python extension module.

This target is consumed just as a py_library would be.

PARAMETERS

NameDescriptionDefault Value
nameThe name of the target.none
srcsList of Rust .rs source files used to build the library. For more details see rust_shared_library.none
aliasesRemap crates to a new name or moniker for linkage to this target. For more details see rust_shared_library.{}
compile_dataList of files used by this rule at compile time. For more details see rust_shared_library.[]
crate_featuresList of features to enable for this crate. For more details see rust_shared_library.[]
crate_rootThe file that will be passed to rustc to be used for building this crate. For more details see rust_shared_library.None
dataList of files used by this rule at compile time and runtime. For more details see rust_shared_library.[]
depsList of other libraries to be linked to this library target. For more details see rust_shared_library.[]
editionThe rust edition to use for this crate. Defaults to the edition specified in the rust_toolchain. For more details see rust_shared_library.None
importsList of import directories to be added to the PYTHONPATH. For more details see py_library.imports.[]
proc_macro_depsList of rust_proc_macro targets used to help build this library target. For more details see rust_shared_library.[]
rustc_envDictionary of additional "key": "value" environment variables to set for rustc. For more details see rust_shared_library.{}
rustc_env_filesFiles containing additional environment variables to set for rustc. For more details see rust_shared_library.[]
rustc_flagsList of compiler flags passed to rustc. For more details see rust_shared_library.[]
stubsWhether or not to generate stubs (.pyi file) for the module.None
versionA version to inject in the cargo environment variable. For more details see rust_shared_library.None
compilation_modeThe compilation_mode value to build the extension for. If set to "current", the current configuration will be used."opt"
kwargsAdditional keyword arguments.none

rules_rust_wasm_bindgen

Bazel rules for generating wasm modules for Javascript using wasm-bindgen.

Rules

Setup

To begin using the wasm-bindgen rules, users can load the necessary dependencies in their workspace by adding the following to their WORKSPACE.bazel file.

load("@rules_rust_wasm_bindgen//:repositories.bzl", "rust_wasm_bindgen_dependencies", "rust_wasm_bindgen_register_toolchains")

rust_wasm_bindgen_dependencies()

rust_wasm_bindgen_register_toolchains()

This should enable users to start using the rust_wasm_bindgen rule. However, it's common to want to control the version of wasm-bindgen in the workspace instead of relying on the one provided by rules_rust. In this case, users should avoid calling rust_wasm_bindgen_register_toolchains and instead use the rust_wasm_bindgen_toolchain rule to define their own toolchains to register in the workspace.

Interfacing with Javascript rules

Rules for doing so can be found at rules_js_rust_wasm_bindgen

rust_wasm_bindgen

load("@rules_rust_wasm_bindgen//:defs.bzl", "rust_wasm_bindgen")

rust_wasm_bindgen(name, bindgen_flags, out_name, target, target_arch, wasm_file)

Generates javascript and typescript bindings for a webassembly module using wasm-bindgen.

An example of this rule in use can be seen at @rules_rust//examples/wasm

ATTRIBUTES

NameDescriptionTypeMandatoryDefault
nameA unique name for this target.Namerequired
bindgen_flagsFlags to pass directly to the wasm-bindgen executable. See https://github.com/rustwasm/wasm-bindgen/ for details.List of stringsoptional[]
out_nameSet a custom output filename (Without extension. Defaults to target name).Stringoptional""
targetThe type of output to generate. See https://rustwasm.github.io/wasm-bindgen/reference/deployment.html for details.Stringoptional"bundler"
target_archThe target architecture to use for the wasm-bindgen command line option.Stringoptional"wasm32"
wasm_fileThe .wasm crate to generate bindings for.Labelrequired

rust_wasm_bindgen_test

load("@rules_rust_wasm_bindgen//:defs.bzl", "rust_wasm_bindgen_test")

rust_wasm_bindgen_test(name, deps, data, aliases, compile_data, crate_features, edition, env,
                       env_inherit, proc_macro_deps, rustc_env, rustc_env_files, rustc_flags,
                       target_arch, version, wasm)

Rules for running wasm-bindgen tests.

ATTRIBUTES

NameDescriptionTypeMandatoryDefault
nameA unique name for this target.Namerequired
depsList of other libraries to be linked to this library target.

These can be either other rust_library targets or cc_library targets if linking a native library.
List of labelsoptional[]
dataList of files used by this rule at compile time and runtime.

If including data at compile time with include_str!() and similar, prefer compile_data over data, to prevent the data also being included in the runfiles.
List of labelsoptional[]
aliasesRemap crates to a new name or moniker for linkage to this target

These are other rust_library targets and will be presented as the new name given.
Dictionary: Label -> Stringoptional{}
compile_dataList of files used by this rule at compile time.

This attribute can be used to specify any data files that are embedded into the library, such as via the include_str! macro.
List of labelsoptional[]
crate_featuresList of features to enable for this crate.

Features are defined in the code using the #[cfg(feature = "foo")] configuration option. The features listed here will be passed to rustc with --cfg feature="${feature_name}" flags.
List of stringsoptional[]
editionThe rust edition to use for this crate. Defaults to the edition specified in the rust_toolchain.Stringoptional""
envSpecifies additional environment variables to set when the test is executed by bazel test. Values are subject to $(rootpath), $(execpath), location, and "Make variable" substitution.Dictionary: String -> Stringoptional{}
env_inheritSpecifies additional environment variables to inherit from the external environment when the test is executed by bazel test.List of stringsoptional[]
proc_macro_depsList of rust_proc_macro targets used to help build this library target.List of labelsoptional[]
rustc_envDictionary of additional "key": "value" environment variables to set for rustc.

rust_test()/rust_binary() rules can use $(rootpath //package:target) to pass in the location of a generated file or external tool. Cargo build scripts that wish to expand locations should use cargo_build_script()'s build_script_env argument instead, as build scripts are run in a different environment - see cargo_build_script()'s documentation for more.
Dictionary: String -> Stringoptional{}
rustc_env_filesFiles containing additional environment variables to set for rustc.

These files should contain a single variable per line, of format NAME=value, and newlines may be included in a value by ending a line with a trailing back-slash (\\).

The order that these files will be processed is unspecified, so multiple definitions of a particular variable are discouraged.

Note that the variables here are subject to workspace status stamping should the stamp attribute be enabled. Stamp variables should be wrapped in brackets in order to be resolved. E.g. NAME={WORKSPACE_STATUS_VARIABLE}.
List of labelsoptional[]
rustc_flagsList of compiler flags passed to rustc.

These strings are subject to Make variable expansion for predefined source/output path variables like $location, $execpath, and $rootpath. This expansion is useful if you wish to pass a generated file of arguments to rustc: @$(location //package:target).
List of stringsoptional[]
target_archThe target architecture to use for the wasm-bindgen command line option.Stringoptional"wasm32"
versionA version to inject in the cargo environment variable.Stringoptional"0.0.0"
wasmThe wasm target to test.Labelrequired

rust_wasm_bindgen_toolchain

load("@rules_rust_wasm_bindgen//:defs.bzl", "rust_wasm_bindgen_toolchain")

rust_wasm_bindgen_toolchain(name, browser, browser_type, wasm_bindgen_cli, wasm_bindgen_test,
                            wasm_bindgen_test_runner, webdriver, webdriver_args, webdriver_json)

The tools required for the rust_wasm_bindgen rule.

In cases where users want to control or change the version of wasm-bindgen used by rust_wasm_bindgen, a unique toolchain can be created as in the example below:

load("@rules_rust_wasm_bindgen//:defs.bzl", "rust_wasm_bindgen_toolchain")

rust_wasm_bindgen_toolchain(
    wasm_bindgen_cli = "//3rdparty/crates:wasm_bindgen_cli__bin",
)

toolchain(
    name = "wasm_bindgen_toolchain",
    toolchain = "wasm_bindgen_toolchain_impl",
    toolchain_type = "@rules_rust_wasm_bindgen//:toolchain_type",
)

Now that you have your own toolchain, you need to register it by inserting the following statement in your WORKSPACE file:

register_toolchains("//my/toolchains:wasm_bindgen_toolchain")

For additional information, see the Bazel toolchains documentation.

ATTRIBUTES

NameDescriptionTypeMandatoryDefault
nameA unique name for this target.Namerequired
browserThe browser entrypoint.LabeloptionalNone
browser_typeThe type of browser provided.Stringoptional""
wasm_bindgen_cliThe label of a wasm-bindgen-cli executable.LabeloptionalNone
wasm_bindgen_testThe label of a wasm-bindgen-test crate.LabeloptionalNone
wasm_bindgen_test_runnerThe label of a wasm-bindgen-test-runner binary.LabeloptionalNone
webdriverThe webdriver to use.LabeloptionalNone
webdriver_argsArguments to pass to the webdriver binary.List of stringsoptional[]
webdriver_jsonThe webdriver.json config file for wasm-bindgen-test.LabeloptionalNone

RustWasmBindgenInfo

load("@rules_rust_wasm_bindgen//:defs.bzl", "RustWasmBindgenInfo")

RustWasmBindgenInfo(js, root, snippets, ts, wasm)

Info about wasm-bindgen outputs.

FIELDS

NameDescription
jsDepset[File]: The Javascript files produced by wasm-bindgen.
rootstr: The path to the root of the wasm-bindgen --out-dir directory.
snippetsFile: The snippets directory produced by wasm-bindgen.
tsDepset[File]: The Typescript files produced by wasm-bindgen.
wasmFile: The .wasm file generated by wasm-bindgen.