Tricks from the Trenches 🟡
一线实践技巧 🟡
What you’ll learn:
本章将学到什么:
- Battle-tested patterns that don’t fit neatly into one chapter
那些很实战、但又不适合单独塞进某一章的经验模式- Common pitfalls and their fixes — from CI flake to binary bloat
常见坑以及对应修法,从 CI 抖动到二进制膨胀都会覆盖- Quick-win techniques you can apply to any Rust project today
今天就能加到任意 Rust 项目里的高收益技巧Cross-references: Every chapter in this book — these tricks cut across all topics
交叉引用: 本书所有章节。这一章里的技巧基本横跨了整本书的主题。
This chapter collects engineering patterns that come up repeatedly in production Rust codebases. Each trick is self-contained — read them in any order.
这一章收集的是生产 Rust 代码库里反复出现的工程经验。每一条技巧都是独立的,阅读顺序随意,不用死磕线性顺序。
1. The deny(warnings) Trap
1. deny(warnings) 陷阱
Problem: #![deny(warnings)] in source code breaks builds when Clippy adds new lints — your code that compiled yesterday fails today.
问题:把 #![deny(warnings)] 直接写进源码后,只要 Clippy 新增了 lint,昨天还能编译的代码今天就可能直接挂掉。
Fix: Use CARGO_ENCODED_RUSTFLAGS in CI instead of a source-level attribute:
修法:把控制权放到 CI 里,用 CARGO_ENCODED_RUSTFLAGS,别把这玩意硬写死在源码层面。
# CI: treat warnings as errors without touching source
# CI:把 warning 当错误,但不改源码
env:
CARGO_ENCODED_RUSTFLAGS: "-Dwarnings"
Or use [workspace.lints] for finer control:
如果想要更细的控制,也可以用 [workspace.lints]:
# Cargo.toml
[workspace.lints.rust]
unsafe_code = "deny"
[workspace.lints.clippy]
all = { level = "deny", priority = -1 }
pedantic = { level = "warn", priority = -1 }
See Compile-Time Tools, Workspace Lints for the full pattern.
完整模式见 编译期工具与工作区 Lint。
2. Compile Once, Test Everywhere
2. 编一次,到处测
Problem: cargo test recompiles when switching between --lib, --doc, and --test because they use different profiles.
问题:cargo test 在 --lib、--doc、--test 之间来回切时会重新编译,因为它们走的是不同 profile。
Fix: Use cargo nextest for unit/integration tests and run doc-tests separately:
修法:单元测试和集成测试交给 cargo nextest,文档测试单独跑。
cargo nextest run --workspace # Fast: parallel, cached
# 快:并行执行,而且缓存利用更好
cargo test --workspace --doc # Doc-tests (nextest can't run these)
# 文档测试,nextest 目前跑不了这类
See Compile-Time Tools for
cargo-nextestsetup.cargo-nextest的完整配置见 编译期工具。
3. Feature Flag Hygiene
3. Feature Flag 卫生
Problem: A library crate has default = ["std"] but nobody tests --no-default-features. One day an embedded user reports it doesn’t compile.
问题:库 crate 默认开了 default = ["std"],但从来没人测过 --no-default-features。某天嵌入式用户一跑,发现根本编不过。
Fix: Add cargo-hack to CI:
修法:把 cargo-hack 放进 CI。
- name: Feature matrix
run: |
cargo hack check --each-feature --no-dev-deps
cargo check --no-default-features
cargo check --all-features
See
no_stdand Feature Verification for the full pattern.
完整模式见no_std与 Feature 验证。
4. The Lock File Debate — Commit or Ignore?
4. Cargo.lock 之争:提交还是忽略?
Rule of thumb:
经验规则:
| Crate Type | Commit Cargo.lock? | Why |
|---|---|---|
| Binary / application 二进制 / 应用 | Yes 是 | Reproducible builds 保证可复现构建 |
| Library 库 | No (.gitignore)否,放进 .gitignore | Let downstream choose versions 把版本选择权交给下游 |
| Workspace with both 两者混合的 workspace | Yes 是 | Binary wins 以二进制项目需求为准 |
Add a CI check to ensure the lock file stays up-to-date:
还可以在 CI 里加一道检查,确保 lock 文件始终是新的:
- name: Check lock file
run: cargo update --locked # Fails if Cargo.lock is stale
5. Debug Builds with Optimized Dependencies
5. 让 Debug 构建里的依赖也带优化
Problem: Debug builds are painfully slow because dependencies (especially serde, regex) aren’t optimized.
问题:Debug 构建跑起来慢得要命,因为依赖,尤其是 serde、regex 这类库,在 dev profile 下没做优化。
Fix: Optimize deps in dev profile while keeping your code unoptimized for fast recompilation:
修法:在 dev profile 里只优化依赖,而自身代码依然保持低优化,兼顾运行速度和重编译速度。
# Cargo.toml
[profile.dev.package."*"]
opt-level = 2 # Optimize all dependencies in dev mode
# 在 dev 模式下优化全部依赖
This slows the first build slightly but makes runtime dramatically faster during development. Particularly impactful for database-backed services and parsers.
这样会让第一次构建稍微慢一点,但开发阶段的运行速度通常会明显提升。对数据库服务和解析器这类项目尤其有感。
See Release Profiles for per-crate profile overrides.
按 crate 粒度覆盖 profile 的方式见 发布配置与二进制体积。
6. CI Cache Thrashing
6. CI 缓存来回抖动
Problem: Swatinem/rust-cache@v2 saves a new cache on every PR, bloating storage and slowing restore times.
问题:Swatinem/rust-cache@v2 如果每个 PR 都写一份新缓存,会让存储迅速膨胀,恢复速度也越来越慢。
Fix: Only save cache from main, restore from anywhere:
修法:只允许 main 分支回写缓存,其它分支只恢复不保存。
- uses: Swatinem/rust-cache@v2
with:
save-if: ${{ github.ref == 'refs/heads/main' }}
For workspaces with multiple binaries, add a shared-key:
如果 workspace 里有多个二进制目标,再补一个 shared-key:
- uses: Swatinem/rust-cache@v2
with:
shared-key: "ci-${{ matrix.target }}"
save-if: ${{ github.ref == 'refs/heads/main' }}
See CI/CD Pipeline for the full workflow.
完整工作流见 CI/CD 流水线。
7. RUSTFLAGS vs CARGO_ENCODED_RUSTFLAGS
7. RUSTFLAGS 和 CARGO_ENCODED_RUSTFLAGS 的区别
Problem: RUSTFLAGS="-Dwarnings" applies to everything — including build scripts and proc-macros. A warning in serde_derive’s build.rs fails your CI.
问题:RUSTFLAGS="-Dwarnings" 会作用到 所有东西,包括构建脚本和过程宏。结果第三方依赖里一条 warning,就能把 CI 直接弄死。
Fix: Use CARGO_ENCODED_RUSTFLAGS which only applies to the top-level crate:
修法:改用 CARGO_ENCODED_RUSTFLAGS,它只会作用到顶层 crate。
# BAD — breaks on third-party build script warnings
RUSTFLAGS="-Dwarnings" cargo build
# GOOD — only affects your crate
CARGO_ENCODED_RUSTFLAGS="-Dwarnings" cargo build
# ALSO GOOD — workspace lints (Cargo.toml)
[workspace.lints.rust]
warnings = "deny"
8. Reproducible Builds with SOURCE_DATE_EPOCH
8. 用 SOURCE_DATE_EPOCH 做可复现构建
Problem: Embedding chrono::Utc::now() in build.rs makes builds non-reproducible — every build produces a different binary hash.
问题:如果在 build.rs 里直接塞 chrono::Utc::now(),每次构建产物都会带不同时间戳,二进制哈希自然也次次不同。
Fix: Honor SOURCE_DATE_EPOCH:
修法:优先尊重 SOURCE_DATE_EPOCH。
#![allow(unused)]
fn main() {
// build.rs
let timestamp = std::env::var("SOURCE_DATE_EPOCH")
.ok()
.and_then(|s| s.parse::<i64>().ok())
.unwrap_or_else(|| chrono::Utc::now().timestamp());
println!("cargo:rustc-env=BUILD_TIMESTAMP={timestamp}");
}
See Build Scripts for the full build.rs patterns.
更完整的build.rs模式见 构建脚本。
9. The cargo tree Deduplication Workflow
9. cargo tree 去重工作流
Problem: cargo tree --duplicates shows 5 versions of syn and 3 of tokio-util. Compile time is painful.
问题:cargo tree --duplicates 一看,syn 有 5 个版本,tokio-util 有 3 个版本,编译时间自然长得离谱。
Fix: Systematic deduplication:
修法:按步骤系统去重。
# Step 1: Find duplicates
cargo tree --duplicates
# Step 2: Find who pulls the old version
cargo tree --invert --package syn@1.0.109
# Step 3: Update the culprit
cargo update -p serde_derive # Might pull in syn 2.x
# Step 4: If no update available, pin in [patch]
# [patch.crates-io]
# old-crate = { git = "...", branch = "syn2-migration" }
# Step 5: Verify
cargo tree --duplicates # Should be shorter
See Dependency Management for
cargo-denyand supply chain security.
依赖治理和供应链安全可继续看 依赖管理。
10. Pre-Push Smoke Test
10. 推送前冒烟检查
Problem: You push, CI takes 10 minutes, fails on a formatting issue.
问题:代码一推,CI 跑了 10 分钟,最后只是死在格式检查上,纯属白折腾。
Fix: Run the fast checks locally before push:
修法:推送前先在本地跑一遍便宜的快速检查。
# Makefile.toml (cargo-make)
[tasks.pre-push]
description = "Local smoke test before pushing"
script = '''
cargo fmt --all -- --check
cargo clippy --workspace --all-targets -- -D warnings
cargo test --workspace --lib
'''
cargo make pre-push # < 30 seconds
git push
Or use a git pre-push hook:
也可以直接上 git 的 pre-push hook:
#!/bin/sh
# .git/hooks/pre-push
cargo fmt --all -- --check && cargo clippy --workspace -- -D warnings
See CI/CD Pipeline for
Makefile.tomlpatterns.Makefile.toml的完整模式见 CI/CD 流水线。
🏋️ Exercises
🏋️ 练习
🟢 Exercise 1: Apply Three Tricks
🟢 练习 1:套用三条技巧
Pick three tricks from this chapter and apply them to an existing Rust project. Which had the biggest impact?
从这一章里挑三条技巧,应用到一个现有 Rust 项目里。哪一条带来的收益最大?
Solution 参考答案
Typical high-impact combination:
比较常见的高收益组合是:
-
[profile.dev.package."*"] opt-level = 2— Immediate improvement in dev-mode runtime (2-10× faster for parsing-heavy code)
1.[profile.dev.package."*"] opt-level = 2:开发模式运行速度立刻提升,对解析密集型代码可能直接快 2-10 倍。 -
CARGO_ENCODED_RUSTFLAGS— Eliminates false CI failures from third-party warnings
2.CARGO_ENCODED_RUSTFLAGS:能消灭第三方 warning 引发的 CI 误杀。 -
cargo-hack --each-feature— Usually finds at least one broken feature combination in any project with 3+ features
3.cargo-hack --each-feature:只要 feature 稍微多一点,通常都能揪出至少一组早就坏掉的 feature 组合。
# Apply trick 5:
echo '[profile.dev.package."*"]' >> Cargo.toml
echo 'opt-level = 2' >> Cargo.toml
# Apply trick 7 in CI:
# Replace RUSTFLAGS with CARGO_ENCODED_RUSTFLAGS
# Apply trick 3:
cargo install cargo-hack
cargo hack check --each-feature --no-dev-deps
🟡 Exercise 2: Deduplicate Your Dependency Tree
🟡 练习 2:给依赖树去重
Run cargo tree --duplicates on a real project. Eliminate at least one duplicate. Measure compile-time before and after.
在一个真实项目上运行 cargo tree --duplicates,至少消掉一个重复依赖,然后对比去重前后的编译时间。
Solution 参考答案
# Before
time cargo build --release 2>&1 | tail -1
cargo tree --duplicates | wc -l # Count duplicate lines
# Find and fix one duplicate
cargo tree --duplicates
cargo tree --invert --package <duplicate-crate>@<old-version>
cargo update -p <parent-crate>
# After
time cargo build --release 2>&1 | tail -1
cargo tree --duplicates | wc -l # Should be fewer
# Typical result: 5-15% compile time reduction per eliminated
# duplicate (especially for heavy crates like syn, tokio)
Key Takeaways
本章要点
- Use
CARGO_ENCODED_RUSTFLAGSinstead ofRUSTFLAGSto avoid breaking third-party build scripts
优先使用CARGO_ENCODED_RUSTFLAGS,别用RUSTFLAGS去误伤第三方构建脚本。 [profile.dev.package."*"] opt-level = 2is the single highest-impact dev experience trick[profile.dev.package."*"] opt-level = 2往往是提升开发体验最猛的一招。- Cache tuning (
save-ifon main only) prevents CI cache bloat on active repositories
缓存策略里只让main回写,可以有效防止活跃仓库的 CI 缓存膨胀。 cargo tree --duplicates+cargo updateis a free compile-time win — do it monthlycargo tree --duplicates配合cargo update,基本属于白捡的编译时间收益,建议按月做一次。- Run fast checks locally with
cargo make pre-pushto avoid CI round-trip waste
推送前先用cargo make pre-push跑本地快检,能省掉很多 CI 往返浪费。