23.11 Cargo Workspaces

Workspaces let multiple packages (crates) coexist in one directory structure, sharing dependencies and a single lock file. They are built, tested, and optionally published together. This setup is ideal for:

  • Monorepos: Large projects split into multiple crates
  • Shared Libraries: Breaking functionality into separate crates without extra overhead
  • Streamlined Builds: Consistent testing and building across all crates in the workspace

23.11.1 Setting Up a Workspace

Suppose you have two crates, crate_a and crate_b, in my_workspace:

my_workspace/
├── Cargo.toml         # Workspace manifest
├── crate_a/
│   ├── Cargo.toml
│   └── src/
│       └── lib.rs
└── crate_b/
    ├── Cargo.toml
    └── src/
        └── main.rs

The top-level Cargo.toml might look like:

[workspace]
members = [
    "crate_a",
    "crate_b",
]

If crate_b depends on crate_a, reference it in crate_b/Cargo.toml:

[dependencies]
crate_a = { path = "../crate_a" }

To build and run:

# Build everything
cargo build

# Build just crate_b
cargo build -p crate_b

# Run the binary from crate_b
cargo run -p crate_b

All crates in the workspace share a single Cargo.lock, ensuring consistent dependency versions.

The command cargo publish publishes the default members of the workspace. You can set default members explicitly with the workspace.default-members key in the root manifest. If this is not set, the workspace will include all members. You can also publish individual crates:

# Publish only crate_a
cargo publish -p crate_a

23.11.2 Benefits of Workspaces

  • Shared target folder: Avoids duplicate downloads and recompilations.
  • Consistent versions: A single Cargo.lock for uniform dependencies.
  • Convenient commands: cargo build, cargo test, and cargo doc can operate on all crates or specific ones.