johnthagen/min-sized-rust
{ "createdAt": "2018-12-09T14:04:04Z", "defaultBranch": "main", "description": "š¦ How to minimize Rust binary size š¦", "fullName": "johnthagen/min-sized-rust", "homepage": "", "language": "Rust", "name": "min-sized-rust", "pushedAt": "2025-10-03T10:20:49Z", "stargazersCount": 9516, "topics": [ "binary-size", "cargo", "containers", "lto", "no-std", "rust", "strip", "upx", "wasm" ], "updatedAt": "2025-11-25T23:20:19Z", "url": "https://github.com/johnthagen/min-sized-rust"}Minimizing Rust Binary Size
Section titled āMinimizing Rust Binary Sizeā![GitHub Actions][github-actions-badge]
[github-actions-badge] !: https://github.com/johnthagen/min-sized-rust/workflows/build/badge.svg
This repository demonstrates how to minimize the size of a Rust binary.
By default, Rust optimizes for execution speed, compilation speed, and ease of debugging rather than binary size, since for the vast majority of applications this is ideal. But for situations where a developer wants to optimize for binary size instead, Rust provides mechanisms to accomplish this.
Build in Release Mode
Section titled āBuild in Release ModeāBy default, cargo build builds the Rust binary in debug mode. Debug mode disables many
optimizations, which helps debuggers (and IDEs that run them) provide a better debugging
experience. Debug binaries can be 30% or more larger than release binaries.
To minimize binary size, build in release mode:
$ cargo build --releasestrip Symbols from Binary
Section titled āstrip Symbols from Binaryā
By default on Linux and macOS, symbol information is included in the compiled .elf file. This
information is not needed to properly execute the binary.
Cargo can be configured to
automatically strip binaries.
Modify Cargo.toml in this way:
[profile.release]strip = true # Automatically strip symbols from the binary.Prior to Rust 1.59, run strip directly on
the .elf file instead:
$ strip target/release/min-sized-rustOptimize For Size
Section titled āOptimize For Sizeā[Cargo defaults its optimization level to 3 for release builds][cargo-profile],
which optimizes the binary for speed. To instruct Cargo to optimize for minimal binary
size, use the z optimization level in
Cargo.toml:
[cargo-profile] !: https://doc.rust-lang.org/cargo/reference/profiles.html#default-profiles
[profile.release]opt-level = "z" # Optimize for size.[!NOTE] In some cases the
"s"level may result in a smaller binary than"z", as explained in theopt-leveldocumentation:It is recommended to experiment with different levels to find the right balance for your project. There may be surprising results, such as ⦠the
"s"and"z"levels not being necessarily smaller.
Enable Link Time Optimization (LTO)
Section titled āEnable Link Time Optimization (LTO)āBy default, [Cargo instructs compilation units to be compiled and optimized in isolation][cargo-profile]. LTO instructs the linker to optimize at the link stage. This can, for example, remove dead code and often times reduces binary size.
Enable LTO in Cargo.toml:
[profile.release]lto = trueDynamic Linking: Why It Doesnāt Work
Section titled āDynamic Linking: Why It Doesnāt WorkāSome might suggest using prefer-dynamic for smaller binaries, but this approach has critical limitations:
- No stable ABI - binaries break between Rust versions
- Deployment complexity - requires exact library matches
- Community consensus - static linking preferred for reliability
Reduce Parallel Code Generation Units to Increase Optimization
Section titled āReduce Parallel Code Generation Units to Increase Optimizationā[By default][cargo-profile], Cargo specifies 16 parallel codegen units for release builds. This improves compile times, but prevents some optimizations.
Set this to 1 in Cargo.toml to allow for maximum size reduction optimizations:
[profile.release]codegen-units = 1Abort on Panic
Section titled āAbort on Panicā[!IMPORTANT] Up to this point, the features discussed to reduce binary size did not have an impact on the behaviour of the program (only its execution speed). This feature does have an impact on behavior.
[By default][cargo-profile], when Rust code encounters a situation when it must call panic!(),
it unwinds the stack and produces a helpful backtrace. The unwinding code, however, does require
extra binary size. rustc can be instructed to abort immediately rather than unwind, which
removes the need for this extra unwinding code.
Enable this in Cargo.toml:
[profile.release]panic = "abort"Remove Location Details
Section titled āRemove Location DetailsāBy default, Rust includes file, line, and column information for panic!() and [track_caller]
to provide more useful traceback information. This information requires space in the binary and
thus increases the size of the compiled binaries.
To remove this file, line, and column information, use the unstable
rustc -Zlocation-detail
flag:
$ RUSTFLAGS="-Zlocation-detail=none" cargo +nightly build --releaseRemove fmt::Debug
Section titled āRemove fmt::DebugāWith the
-Zfmt-debug flag
you can turn #[derive(Debug)]and
{:?} formatting into no-ops. This
will ruin output of dbg!(), assert!(), unwrap(), etc., and may break code that unwisely
relies on the debug formatting, but it will remove derived fmt functions and their strings.
$ RUSTFLAGS="-Zfmt-debug=none" cargo +nightly build --releaseOptimize libstd with build-std
Section titled āOptimize libstd with build-stdā[!NOTE] See also Xargo, the predecessor to
build-std. Xargo is currently in maintenance status.
[!NOTE] Example project is located in the [
build_std]!(build_std) folder.
Rust ships pre-built copies of the standard library (libstd) with its toolchains. This means
that developers donāt need to build libstd every time they build their applications. libstd
is statically linked into the binary instead.
While this is very convenient there are several drawbacks if a developer is trying to aggressively optimize for size.
-
The prebuilt
libstdis optimized for speed, not size. -
Itās not possible to remove portions of
libstdthat are not used in a particular application (e.g. LTO and panic behaviour).
This is where build-std
comes in. The build-std feature is able to compile libstd with your application from the
source. It does this with the rust-src component that rustup conveniently provides.
Install the appropriate toolchain and the rust-src component:
$ rustup toolchain install nightly$ rustup component add rust-src --toolchain nightlyBuild using build-std:
# Find your host's target triple.$ rustc -vV...host: x86_64-apple-darwin
# Use that target triple when building with build-std.# Add the =std,panic_abort to the option to make panic = "abort" Cargo.toml option work.# See: https://github.com/rust-lang/wg-cargo-std-aware/issues/56$ RUSTFLAGS="-Zlocation-detail=none -Zfmt-debug=none" cargo +nightly build \ -Z build-std=std,panic_abort \ -Z build-std-features="optimize_for_size" \ --target x86_64-apple-darwin --releaseThe optimize_for_size flag provides a hint to libstd that it should try to use algorithms
optimized for binary size. More information about it can be found in the
tracking issue.
On macOS, the final stripped binary size is reduced to 51KB.
Remove panic String Formatting with panic=immediate-abort
Section titled āRemove panic String Formatting with panic=immediate-abortāEven if panic = "abort" is specified in Cargo.toml, rustc will still include panic strings
and formatting code in final binary by default.
An unstable panic=immediate-abort feature
has been merged into the nightly rustc compiler to address this.
To use this, repeat the instructions above to use build-std, but also pass
-Zunstable-options -Cpanic=immediate-abort and
-Z build-std-features= (which will disable the default backtrace and panic-unwind features)
to rustc.
$ RUSTFLAGS="-Zunstable-options -Cpanic=immediate-abort" cargo +nightly build \ -Z build-std=std,panic_abort \ -Z build-std-features= \ --target x86_64-apple-darwin --releaseOn macOS, the final stripped binary size is reduced to 30KB.
Remove core::fmt with #![no_main] and Careful Usage of libstd
Section titled āRemove core::fmt with #![no_main] and Careful Usage of libstdā[!NOTE] Example projects are located in the [
no_main]!(no_main) folder.
Up until this point, we havenāt restricted what utilities we used from libstd. In this section
we will restrict our usage of libstd in order to reduce binary size further.
If you want an executable smaller than 20 kilobytes, Rustās string formatting code,
core::fmt must
be removed. panic=immediate-abort only removes some usages of this code. There is a lot of other
code that uses formatting in some cases. That includes Rustās āpre-mainā code in libstd.
By using a C entry point (by adding the #![no_main] attribute) , managing stdio manually, and
carefully analyzing which chunks of code you or your dependencies include, you can sometimes
make use of libstd while avoiding bloated core::fmt.
Expect the code to be hacky and unportable, with more unsafe{}s than usual. It feels like
no_std, but with libstd.
Start with an empty executable, ensure
xargo bloat --release --target=... contains no
core::fmt or something about padding. Add (uncomment) a little bit. See that xargo bloat now
reports drastically more. Review source code that youāve just added. Probably some external crate or
a new libstd function is used. Recurse into that with your review process
(it requires [replace] Cargo dependencies and maybe digging in libstd), find out why it
weighs more than it should. Choose alternative way or patch dependencies to avoid unnecessary
features. Uncomment a bit more of your code, debug exploded size with xargo bloat and so on.
On macOS, the final stripped binary is reduced to 8KB.
Removing libstd with #![no_std]
Section titled āRemoving libstd with #![no_std]ā[!NOTE] Example projects are located in the [
no_std]!(no_std) folder.
Up until this point, our application was using the Rust standard library, libstd. libstd
provides many convenient, well tested cross-platform APIs and data types. But if a user wants
to reduce binary size to an equivalent C program size, it is possible to depend only on libc.
Itās important to understand that there are many drawbacks to this approach. For one, youāll
likely need to write a lot of unsafe code and lose access to a majority of Rust crates
that depend on libstd. Nevertheless, it is one (albeit extreme) option to reducing binary size.
A striped binary built this way is around 8KB.
#![no_std]#![no_main]
extern crate libc;
#[no_mangle]pub extern "C" fn main(_argc: isize, _argv: *const *const u8) -> isize { // Since we are passing a C string the final null character is mandatory. const HELLO: &'static str = "Hello, world!\n\0"; unsafe { libc::printf(HELLO.as_ptr() as *const _); } 0}
#[panic_handler]fn my_panic(_info: &core::panic::PanicInfo) -> ! { loop {}}Compress the binary
Section titled āCompress the binaryā[!NOTE] Up until this point, all size-reducing techniques were Rust-specific. This section describes a language-agnostic binary packing tool that is an option to reduce binary size further.
UPX is a powerful tool for creating a self-contained, compressed binary with no addition runtime requirements. It claims to typically reduce binary size by 50-70%, but the actual result depends on your executable.
$ upx --best --lzma target/release/min-sized-rust[!WARNING] There have been times that UPX-packed binaries have flagged heuristic-based antivirus software because malware often uses UPX.
cargo-bloat- Find out what takes most of the space in your executable.cargo-llvm-lines- Measure the number and size of instantiations of each generic function, indicating which parts of your code offer the highest leverage in improving compilation metrics.cargo-unused-features- Find and prune enabled but potentially unused feature flags from your project.momo-proc_macrocrate to help keeping the code footprint of generic methods in check.- Twiggy - A code size profiler for Wasm.
Containers
Section titled āContainersāSometimes itās advantageous to deploy Rust into containers (e.g. Docker). There are several great existing resources to help create minimum sized container images that run Rust binaries.
- Official
rust:alpineimage - mini-docker-rust
- muslrust
- docker-slim - Minify Docker images
- dive - A tool for exploring a container image and discovering ways to shrink the size of the image.
- distroless - 2MB base image to run statically linked Rust program
References
Section titled āReferencesā- [151-byte static Linux binary in Rust - 2015][151-byte-static-linux-binary]
- [Why is a Rust executable large? - 2016][why-rust-binary-large]
- Tiny Rocket - 2018
- [Formatting is Unreasonably Expensive for Embedded Rust - 2019][fmt-unreasonably-expensive]
- [Tiny Windows executable in Rust - 2019][tiny-windows-exe]
- [Making a really tiny WebAssembly graphics demos - 2019][tiny-webassembly-graphics]
- [Reducing the size of the Rust GStreamer plugin - 2020][gstreamer-plugin]
- [Optimizing Rust Binary Size - 2020][optimizing-rust-binary-size]
- [Minimizing Mender-Rust - 2020][minimizing-mender-rust]
- [Optimize Rust binaries size with cargo and Semver - 2021][optimize-with-cargo-and-semver]
- [Tighten rustās belt: shrinking embedded Rust binaries - 2022][tighten-rusts-belt]
- [Avoiding allocations in Rust to shrink Wasm modules - 2022][avoiding-allocations-shrink-wasm]
- [A very small Rust binary indeed - 2022][a-very-small-rust-binary]
- [The dark side of inlining and monomorphization - 2023][dark-side-of-inlining]
- [Making Rust binaries smaller by default - 2024][making-rust-binaries-smaller-by-default]
- [Tock Binary Size - 2024][tock-binary-size]
- [Trimming down a rust binary in half - 2024][trimming-down-a-rust-binary-in-half]
- [Reducing WASM binary size: lessons from building a web terminal - 2024][reducing-wasm-binary-size]
- [
min-sized-rust-windows][min-sized-rust-windows] - Windows-specific tricks to reduce binary size - [Shrinking
.wasmCode Size][shrinking-wasm-code-size]
[151-byte-static-linux-binary] !: https://mainisusuallyafunction.blogspot.com/2015/01/151-byte-static-linux-binary-in-rust.html
[why-rust-binary-large] !: https://lifthrasiir.github.io/rustlog/why-is-a-rust-executable-large.html
[fmt-unreasonably-expensive] !: https://jamesmunns.com/blog/fmt-unreasonably-expensive/
[tiny-windows-exe] !: https://www.codeslow.com/2019/12/tiny-windows-executable-in-rust.html
[tiny-webassembly-graphics] !: https://cliffle.com/blog/bare-metal-wasm/
[gstreamer-plugin] !: https://www.collabora.com/news-and-blog/blog/2020/04/28/reducing-size-rust-gstreamer-plugin/
[optimizing-rust-binary-size] !: https://arusahni.net/blog/2020/03/optimizing-rust-binary-size.html
[minimizing-mender-rust] !: https://mender.io/blog/building-mender-rust-in-yocto-and-minimizing-the-binary-size
[optimize-with-cargo-and-semver] !: https://oknozor.github.io/blog/optimize-rust-binary-size/
[tighten-rusts-belt] !: https://dl.acm.org/doi/abs/10.1145/3519941.3535075
[avoiding-allocations-shrink-wasm] !: https://nickb.dev/blog/avoiding-allocations-in-rust-to-shrink-wasm-modules/
[a-very-small-rust-binary] !: https://darkcoding.net/software/a-very-small-rust-binary-indeed/
[dark-side-of-inlining] !: https://nickb.dev/blog/the-dark-side-of-inlining-and-monomorphization/
[making-rust-binaries-smaller-by-default] !: https://kobzol.github.io/rust/cargo/2024/01/23/making-rust-binaries-smaller-by-default.html
[tock-binary-size] !: https://tweedegolf.nl/en/blog/126/tock-binary-size
[trimming-down-a-rust-binary-in-half] !: https://tech.dreamleaves.org/trimming-down-a-rust-binary-in-half/
[reducing-wasm-binary-size] !: https://www.warp.dev/blog/reducing-wasm-binary-size
[min-sized-rust-windows] !: https://github.com/mcountryman/min-sized-rust-windows
[shrinking-wasm-code-size] !: https://rustwasm.github.io/docs/book/reference/code-size.html
Organizations
Section titled āOrganizationsā- [wg-binary-size] !: Working group for improving the size of Rust programs and libraries.
[wg-binary-size] !: https://github.com/rust-lang/wg-binary-size
Legacy Techniques
Section titled āLegacy TechniquesāThe following techniques are no longer relevant for modern Rust development, but may apply to older versions of Rust and are maintained for historical purposes.
Remove Jemalloc
Section titled āRemove Jemallocā
[!IMPORTANT] As of Rust 1.32,
jemallocis removed by default. If using Rust 1.32 or newer, no action is needed to reduce binary size regarding this feature.
Prior to Rust 1.32, to improve performance on some platforms Rust bundled jemalloc, an allocator that often outperforms the default system allocator. Bundling jemalloc added around 200KB to the resulting binary, however.
To remove jemalloc on Rust 1.28 - Rust 1.31, add this code to the top of main.rs:
use std::alloc::System;
#[global_allocator]static A: System = System;