0% found this document useful (0 votes)
120 views15 pages

Rust Language Quick Reference Guide

This document provides a cheat sheet for the Rust programming language. It summarizes key Rust concepts like data structures, references and pointers, traits, generics, lifetimes, and more through examples and brief explanations. The cheat sheet acts as a quick reference guide for Rust syntax, semantics, and common data types and patterns.

Uploaded by

xxxxxx
Copyright
© © All Rights Reserved
We take content rights seriously. If you suspect this is your content, claim it here.
Available Formats
Download as PDF, TXT or read online on Scribd
0% found this document useful (0 votes)
120 views15 pages

Rust Language Quick Reference Guide

This document provides a cheat sheet for the Rust programming language. It summarizes key Rust concepts like data structures, references and pointers, traits, generics, lifetimes, and more through examples and brief explanations. The cheat sheet acts as a quick reference guide for Rust syntax, semantics, and common data types and patterns.

Uploaded by

xxxxxx
Copyright
© © All Rights Reserved
We take content rights seriously. If you suspect this is your content, claim it here.
Available Formats
Download as PDF, TXT or read online on Scribd

Rust Language Cheat Sheet https://cheats.

rs/

|
Needsownership
Share
Same, but
to beallow
heldsharing
struct
T: Sized S;
S ; of in Arc
T in to
between
same
be shared
thread.
threads
between
Needs
IF contained
nested Cell
T itself
or
threads,
RefCellisalways
Send and
to allow and
Sync
Send . SyncIs. Consider
mutation. neither Send
using
nor Sync .
parking_lot instead (faster, no heap usage).

Rust Language Cheat Sheet


17.12.2019

Contains
Where *Dropclickable
Drop::
::drop
drop( links
() , * to
Trait
Trait:: The
::f
f Book
() , ... are BK, Rust by Example EX, Std Docs STD, Nomicon NOM, Reference REF. Other symbols used: largely
deprecated
pointers to their � , has a minimum
respective impl for T .edition '18
, is work in progress �, or bad �.

Fira Code Ligatures ( ..=, => ) Night Mode �

Data Structures
Data types and memory locations de�ned via keywords.

Example Explanation

struct S {} De�ne a struct BK EX STD REF


with named �elds.

     struct S { x: T } De�ne struct with named �eld x of type T .

     struct S (T); De�ne "tupled" struct with numbered �eld .0 of type T .

     struct S; De�ne zero sized unit struct.

enum E {} De�ne an enum BK EX REF , c. algebraic data types, tagged unions.

     enum E { A, B (), C {} } De�ne variants of enum; can be unit- A , tuple- B () and struct-like C{} .

     enum E { A = 1 } If variants are only unit-like, allow discriminant values, e.g., for FFI.

union U {} Unsafe C-like union REF for FFI compatibility.

static X: T = T(); Global variable BK EX REF with 'static lifetime, single memory location.

const X: T = T(); De�nes constant BK EX REF. Copied into a temporary when used.

let x: T; Allocate T bytes on stack 1 bound as x . Assignable once, not mutable.

let mut x: T; Like let , but allow for mutability and mutable borrow. 2

     x = y; Moves y to x , invalidating y if T is not Copy , and copying y otherwise.


1
They live on the stack for synchronous code. For async code these variables become part of the async's state machine which may ultimately reside on the heap.
2
Note that technically mutable and immutable are a bit of a misnomer. Even if you have an immutable binding or shared reference, it might contain a Cell, which supports so called
interior mutability.

Creating and accessing data structures; and some more sigilic types.

Example Explanation

S { x: y } Create struct S {} or use 'ed enum E::S {} with �eld x set to y .

S { x } Same, but use local variable x for �eld x .

S { ..s } Fill remaining �elds from s , esp. useful with Default.

S { 0: x } Like S (x) below, but set �eld .0 with struct syntax.

S (x) Create struct S (T) or use 'ed enum E::S () with �eld .0 set to x .

S If S is unit struct S; or use 'ed enum E::S create value of S .

E::C { x: y } Create enum variant C . Other methods above also work.

() Empty tuple, both literal and type, aka unit STD

(x) Parenthesized expression.

(x,) Single-element tuple expression. EX STD REF

(S,) Single-element tuple type.

[S] Array type of unspeci�ed length, i.e., slice. STD EX REF Can't live on stack. *

[S; n] Array type EX STD of �xed length n holding elements of type S .

[x; n] Array instance with n copies of x . REF

1 of 15 12/23/19, 9:55 PM
Rust Language Cheat Sheet https://cheats.rs/

Example Explanation
[x, y] Array instance with given elements x and y .

x[0] Collection indexing. Overloadable Index, IndexMut

x[..] Collection slice-like indexing via RangeFull, c. slices.

x[a..] Collection slice-like indexing via RangeFrom.

x[..b] Collection slice-like indexing RangeTo.

x[a..b] Collection slice-like indexing via Range.

a..b Right-exclusive range REF creation, also seen as ..b .

a..=b Inclusive range creation, also seen as ..=b .

s.x Named �eld access, REF might try to Deref if x not part of type S .

s.0 Numbered �eld access, used for tuple types S (T) .


*
For now, see tracking issue and corresponding RFC 1909.

References & Pointers


Granting access to un-owned memory. Also see section on Generics & Constraints.

Example Explanation

&S Shared reference BK STD NOM REF (space for holding any &s ).

     &[S] Special slice reference that contains ( address , length ).

     &str Special string reference that contains ( address , length ).

     &dyn S Special trait object BK reference that contains ( address , vtable ).

     &mut S Exclusive reference to allow mutability (also &mut [S] , &mut dyn S , ...)

*const S Immutable raw pointer type BK STD REF w/o memory safety.

*mut S Mutable raw pointer type w/o memory safety.

&s Shared borrow BK EX STD (e.g., address, len, vtable, ... of this s , like 0x1234 ).

&mut s Exclusive borrow that allows mutability. EX

ref s Bind by reference. BK EX �

*r Dereference BK STD NOM a reference r to access what it points to.

     *r = s; If r is a mutable reference, move or copy s to target memory.

     s = *r; Make s a copy of whatever r references, if that is Copy .

     s = *my_box; Special case for Box that can also move out Box'ed content if it isn't Copy .

'a A lifetime parameter, BK EX NOM REF, duration of a �ow in static analysis.

     &'a S Only accepts a s with an address that lives 'a or longer.

     &'a mut S Same, but allow content of address to be changed.

     S<'a> Signals S will contain address with lifetime 'a . Creator of S decides 'a .

     fn f<'a>(t: &'a T) Same, for function. Caller decides 'a .

'static Special lifetime lasting the entire program execution.

Functions & Behavior


De�ne units of code and their abstractions.

Example Explanation

trait T {} De�ne a trait. BK EX REF

trait T : R {} T is subtrait of supertrait REF


R . Any S must impl R before it can impl T .

impl S {} Implementation REF of functionality for a type S .

impl T for S {} Implement trait T for type S .

impl !T for S {} Disable an automatically derived auto trait NOM REF.

fn f() {} De�nition of a function BK EX REF; or associated function if inside impl .

     fn f() -> S {} Same, returning a value of type S.

     fn f(&self) {} De�ne a method as part of an impl .

const fn f() {} Constant fn usable at compile time, e.g., const X: u32 = f(Y) . '18

2 of 15 12/23/19, 9:55 PM
Rust Language Cheat Sheet https://cheats.rs/

Example Explanation
async fn f() {} Async '18 function transformation, makes f return an impl Future . STD

     async fn f() -> S {} Same, but make f return an impl Future<Output=S> .

     async { x } Used within a function, make { x } an impl Future<Output=X> .

fn() -> S Function pointers, BK STD REF don't confuse with trait Fn.

|| {} A closure BK EX REF that borrows its captures.

     |x| {} Closure with a bound parameter x .

     |x| x + x Closure without block expression.

     move |x| x + y Closure taking ownership of its captures.

     return || true Closures may sometimes look like logical ORs (here: return a closure).

unsafe {} If you need to crash your code in production; unsafe code. BK EX NOM REF

Control Flow
Control execution within a function.

Example Explanation

while x {} Loop REF, run while expression x is true.

loop {} Loop in�nitely REF until break . Can yield value with break x .

for x in iter {} Syntactic sugar to loop over iterators. BK STD REF

if x {} else {} Conditional branch REF if expression is true.

'label: loop {} Loop label EX REF, useful for �ow control in nested loops.

break Break expression REF to exit a loop.

     break x Same, but make x value of the loop expression (only in actual loop ).

     break 'label Exit not only this loop, but the enclosing one marked with 'label .

continue Continue expression REF to the next loop iteration of this loop.

continue 'label Same, but instead of enclosing loop marked with 'label .

x? If x is Err or None, return and propagate. BK EX STD REF

x.await Only works inside async . Yield �ow until Future or Stream ? x ready. '18

return x Early return from function. More idiomatic way is to end with expression.

f() Invoke callable f (e.g., a function, closure, function pointer, Fn , ...).

x.f() Call member function, requires f takes self , &self , ... as �rst argument.

     X::f(x) Same as x.f() . Unless impl Copy for X {} , f can only be called once.

     X::f(&x) Same as x.f() .

     X::f(&mut x) Same as x.f() .

     S::f(&x) Same as x.f() if X derefs to S (i.e., x.f() �nds methods of S ).

     T::f(&x) Same as x.f() if X impl T (i.e., x.f() �nds methods of T if in scope).

X::f() Call associated function, e.g., X::new() .

     <X as T>::f() Call trait method T::f() implemented for X .

Organizing Code
Segment projects into smaller units and minimize dependencies.

Example Explanation

mod m {} De�ne a module BK EX REF, get de�nition from inside {} .

mod m; De�ne a module, get de�nition from m.rs or m/mod.rs .

a::b Namespace path EX REF to element b within a ( mod , enum , ...).

     ::b Search b relative to crate root. �

     crate::b Search b relative to crate root. '18

     self::b Search b relative to current module.

     super::b Search b relative to parent module.

use a::b; Use EX REF b directly in this scope without requiring a anymore.

3 of 15 12/23/19, 9:55 PM
Rust Language Cheat Sheet https://cheats.rs/

Example Explanation
use a::{b, c}; Same, but bring b and c into scope.

use a::b as x; Bring b into scope but name x , like use std::error::Error as E .

use a::b as _; Bring b anonymously into scope, useful for traits with con�icting names.

use a::*; Bring everything from a into scope.

pub use a::b; Bring a::b into scope and reexport from here.

pub T "Public if parent path is public" visibility BK for T .

     pub(crate) T Visible at most in current crate.

     pub(self) T Visible at most in current module.

     pub(super) T Visible at most in parent.

     pub(in a::b) T Visible at most in a::b .

extern crate a; Declare dependency on external crate BK EX REF � ; just use a::b in '18.

extern "C" {} Declare external dependencies and ABI (e.g., "C" ) from FFI. BK EX NOM REF

extern "C" fn f() {} De�ne function to be exported with ABI (e.g., "C" ) to FFI.

Type Aliases and Casts


Short-hand names of types, and methods to convert one type to another.

Example Explanation

type T = S; Create a type alias BK REF, i.e., another name for S .

Self Type alias for implementing type REF, e.g. fn new() -> Self .

self Method subject in fn f(self) {} , same as fn f(self: Self) {} .

     &self Same, but refers to self as borrowed, same as f(self: &Self)

     &mut self Same, but mutably borrowed, same as f(self: &mut Self)

     self: Box<Self> Arbitrary self type, add methods to smart pointers ( my_box.f_of_self() ).

S as T Disambiguate BK REF type S as trait T , e.g., <X as T>::f() .

S as R In use of symbol, import S as R , e.g., use a::b as x .

x as u32 Primitive cast EX REF, may truncate and be a bit surprising. NOM

Macros & Attributes


Code generation constructs expanded before the actual compilation happens.

Example Explanation

m!() Macro BK STD REF


invocation, also m!{} , m![] (depending on macro).

$x:ty Macro capture, also $x:expr , $x:ty , $x:path , ... see next table.

$x Macro substitution in macros by example. BK EX REF

$(x),* Macro repetition "zero or more times" in macros by example.

     $(x),? Same, but "zero or one time".

     $(x),+ Same, but "one or more times".

     $(x)<<+ In fact separators other than , are also accepted. Here: << .

$crate Special hygiene variable, crate where macros is de�ned. ?

#[attr] Outer attribute. EX REF, annotating the following item.

#![attr] Inner attribute, annotating the surrounding item.

In a macro_rules! implementation, the following macro captures can be used:

Macro Capture Explanation

$x:item An item, like a function, struct, module, etc.

$x:block A block {} of statements or expressions, e.g., { let x = 5; }

$x:stmt A statement, e.g., let x = 1 + 1; , String::new(); or vec![];

$x:expr An expression, e.g., x , 1 + 1 , String::new() or vec![]

$x:pat A pattern, e.g., Some(t) , (17, 'a') or _ .

4 of 15 12/23/19, 9:55 PM
Rust Language Cheat Sheet https://cheats.rs/

Macro Capture Explanation


$x:ty A type, e.g., String , usize or Vec<u8> .

$x:ident An identi�er, for example in let x = 0; the identi�er is x .

$x:path A path (e.g. foo , ::std::mem::replace , transmute::<_, int> , …).

$x:literal A literal (e.g. 3 , "foo" , b"bar" , etc.).

$x:meta A meta item; the things that go inside #[...] and #![...] attributes.

$x:tt A single token tree, see here for more details.

Pattern Matching
Constructs found in match or let expressions, or function parameters.

Example Explanation

match m {} Initiate pattern matching BK EX REF, then use match arms, c. next table.

let S(x) = get(); Notably, let also pattern matches similar to the table below.

     let S { x } = s; Only x will be bound to value s.x .

     let (_, b, _) = abc; Only b will be bound to value abc.1 .

     let (a, ..) = abc; Ignoring 'the rest' also works.

     let Some(x) = get(); Won't work � if pattern can be refuted REF, use if let instead.

if let Some(x) = get() {} Branch if pattern can actually be assigned (e.g., enum variant).

fn f(S { x }: S) Function parameters also work like let , here x bound to s.x of f(s) .

Pattern matching arms in match expressions. The left side of these arms can also be found in let expressions.

Example Explanation

E::A => {} Match enum variant A , c. pattern matching. BK EX REF

E::B ( .. ) => {} Match enum tuple variant B , wildcard any index.

E::C { .. } => {} Match enum struct variant C , wildcard any �eld.

S { x: 0, y: 1 } => {} Match struct with speci�c params.

S { x, y } => {} Match struct with any values, bind respective �elds as variables x and y .

S { .. } => {} Match struct with any values.

D => {} Match enum variant E::D if D in use .

D => {} Match anything, bind D ; possibly false friend � of E::D if D not in use .

_ => {} Proper wildcard that matches anything / "all the rest".

[a, 0] => {} Match array with any value for a and 0 for second.

(a, 0) => {} Match tuple with any value for a and 0 for second.

x @ 1..=5 => {} Bind matched to x ; pattern binding. BK EX

0 | 1 => {} Pattern alternatives (or-patterns).

     E::A | E::Z Same, but on enum variants.

     E::C {x} | E::D {x} Same, but bind x if all variants have it.

S { x } if x > 10 Pattern match guards. BK EX

Generics & Constraints


Generics combine with many other constructs such as struct S<T> , fn f<T>() , ...

Example Explanation

S<T> A generic BK EX type with a type parameter ( T is placeholder name here).

S<T: R> Type short hand trait bound BK EX speci�cation ( R must be actual trait).

     T: R, P: S Independent trait bounds (here one for T and one for P ).

     T: R, S Compile error �, you probably want compound bound R + S below.

     T: R + S Compound trait bound BK EX, T must ful�ll R and S .

     T: R + 'a Same, but w. lifetime. T must ful�ll R , if T has lifetimes, must outlive 'a .

     T: ?Sized Opt out of a pre-de�ned trait bound, here Sized . ?

5 of 15 12/23/19, 9:55 PM
Rust Language Cheat Sheet https://cheats.rs/

Example Explanation
     T: 'a Type lifetime bound EX; if T has references, they must outlive 'a .

     'b: 'a Lifetime 'b must live at least as long as (i.e., outlive) 'a bound.

S<T> where T: R Same as S<T: R> but more pleasant to read for longer bounds.

S<T = R> Default type parameter BK for associated type.

S<'_> Inferred anonymous lifetime.

S<_> Inferred anonymous type, e.g., as let x: Vec<_> = iter.collect()

S::<T> Turbo�sh STD call site type disambiguation, e.g. f::<u32>() .

trait T<X> {} A trait generic over X . Can have multiple impl T for S (one per X ).

trait T { type X; } De�nes associated type BK REF X . Only one impl T for S possible.

     type X = R; Set associated type within impl T for S { type X = R; } .

impl<T> S<T> {} Implement functionality for any T in S<T> .

impl S<T> {} Implement functionality for exactly S<T> (e.g., S<u32> ).

fn f() -> impl T Existential types BK, returns an unknown-to-caller S that impl T .

fn f(x: &impl T) Trait bound,"impl traits" BK, somewhat similar to fn f<S:T>(x: &S) .

fn f(x: &dyn T) Marker for dynamic dispatch BK REF, f will not be monomorphized.

fn f() where Self: R In a trait T {} , mark f as accessible only on types that also impl R .

for<'a> Higher-rank trait bounds. NOM REF

Strings & Chars


Rust has several ways to create string or char literals, depending on your needs.

Example Explanation

"..." String literal, REF UTF-8, will escape \n to line break 0xA , ...

r"..." , Raw string literal. REF UTF-8, won't escape \n , ...

r#"..."# , etc. Raw string literal, UTF-8, but can also contain " .

b"..." Byte string literal; REF constructs ASCII [u8] , not a string.

br"..." , br#"..."# , etc. Raw byte string literal, ASCII [u8] , combination of the above.

'�
�' Character literal, REF �xed 4 byte unicode 'char'. STD

b'x' ASCII byte literal. REF

Comments
No comment.

Example Explanation

// Line comment, use these to document code �ow or internals.

//! Inner line doc comment BK EX REF for auto generated documentation.

/// Outer line doc comment, use these on types.

/*...*/ Block comment.

/*!...*/ Inner block doc comment.

/**...*/ Outer block doc comment.

```rust ... ``` In doc comments, include a doc test (doc code running on cargo test ).

# In doc tests, hide line from documentation ( ``` # use x::hidden; ``` ).

Miscellaneous
These sigils did not �t any other category but are good to know nonetheless.

Example Explanation

! Always empty never type. � BK EX STD REF

_ Unnamed variable binding, e.g., |x, _| {} .

_x Variable binding explicitly marked as unused.

6 of 15 12/23/19, 9:55 PM
Rust Language Cheat Sheet https://cheats.rs/

Example Explanation
1_234_567 Numeric separator for visual clarity.

1_u8 Type speci�er for numeric literals EX REF (also i8 , u16 , ...).

0xBEEF , 0o777 , 0b1001 Hexadecimal ( 0x ), octal ( 0o ) and binary ( 0b ) integer literals.

r#foo A raw identi�er BK EX for edition compatibility.

x; Statement REF terminator, c. expressions EX REF

Common Operators
Rust supports all common operators you would expect to �nd in a language ( + , * , % , = , == ...). Since they behave no di�erently in Rust we do not list
them here. For some of them Rust also supports operator overloading. STD

Data & Types


Memory representations of common data types.

Basic Types
Memory representations are depicted for little-endian architectures (e.g., x86-64).

Integer Types REF

u8 , i8 u16 , i16 u32 , i32 u64 , i64

u128 , i128 usize , isize

Same as ptr on platform.

Integer* Max Value

u8 255

u16 65_535

u32 4_294_967_295

u64 18_446_744_073_709_551_615

u128 340_282_366_920_938_463_463_374_607_431_768_211_455

*
i8 , i16 , ... values range from -max/2 to max/2 , rounded towards negative in�nity.

Float Types REF

f32 f64

Float types are slightly more complicated and follow IEEE 754-2008.

Textual Types REF

7 of 15 12/23/19, 9:55 PM
Rust Language Cheat Sheet https://cheats.rs/

char str

... U T F - 8 ... unspeci�ed times

Any UTF-8 char. Rarely seen alone, but as &'a str instead.

Notice how:

char is always 4 bytes and only holds a single Unicode scalar value (thus possibly wasting space),
str is a byte-array of unknown length guaranteed to hold UTF-8 code points (but harder to index).

Custom Types
Basic types that can be de�ned by the user. The compiler might add additional padding under certain conditions.

T: !Sized (A, B
B,
, C
C)
) struct S { b:
b: B
B,
, c:
c: C }

T ←T→ A B C B C

[T; n
n]
] [T]

T T T ... n times ... T T T ... unspeci�ed times

These sum types hold a value of either one of their sub types:

enum E { A
A,
, B
B,
, C } union { ... }

Tag A A

or and

Tag B B

or and

Tag C C

Safely holds A or B or C, also Not safe at runtime.


called 'tagged union', though
compiler may omit tag.

References & Pointers


References give safe access to another memory location. As can be seen below, lifetimes are not encoded at runtime. Pointers give unsafe access
to other memory.

&'a T &'a mut T *const T *mut T

ptr 4/8 ptr 4/8 ptr 4/8 ptr 4/8


| |
No guarantees. No guarantees.

During 'a any 'mem' Same, but location


this targets must always 'mem' may not be
be a valid t of T . aliased.

Rust also has a number of special reference types that encode more than just an address, see below. The respective &mut version is identical and
omitted:

8 of 15 12/23/19, 9:55 PM
Rust Language Cheat Sheet https://cheats.rs/

&'a [T] &'a str &'a dyn Trait

ptr 4/8 len 4/8 ptr 4/8 len 4/8 ptr 4/8 ptr 4/8
| | |

Box is Rust's type for heap allocation that also comes in a number of special variants:

Box<
Box<T> Box<
Box<[T]> Box<
Box<dyn Trait>
Trait>

ptr 4/8 ptr 4/8 len 4/8 ptr 4/8 ptr 4/8
| | | |

Compare above.

Standard Library Types


Rust's standard library combines many of the above primitive types into useful types with special semantics. Some common types:

UnsafeCell<
UnsafeCell<T> Cell<
Cell<T> RefCell<
RefCell<T> AtomicUsize Option<
Option<T>

←T→ ←T→ borrowed ←T→ usize 4/8 Tag

Magic type allowing Other atomic similarly. or


Allows T 's Also support dynamic
aliased mutability.
to move in borrowing of T . Like Cell this Tag T
and out. is Send , but not Sync .
Tag may be omitted for
certain T.

Result<
Result<T, E
E>
>

Tag E

or

Tag T

These dynamic collections grow when needed and are backed by the heap:

Vec<
Vec<T> String

ptr 4/8 capacity 4/8 len 4/8 ptr 4/8 capacity 4/8 len 4/8
| |

Observe how String di�ers from &str and &[char]


char] .

Shared ownership of memory and resources. If the type does not contain a Cell for T , these are often combined with one of the Cell types above
to allow shared de-facto mutability.

9 of 15 12/23/19, 9:55 PM
Rust Language Cheat Sheet https://cheats.rs/

Rc<
Rc<T> Arc<
Arc<T>

ptr 4/8 ptr 4/8


| |

Mutex<T> / RwLock<
Mutex< RwLock<T>

ptr 4/8 poisoned 4/8 ←T→


|

Guides

Project Anatomy
Basic project layout, and common �les and folders, as used by Rust tooling.

Idiom Code

benches/ Benchmarks for your crate, run via cargo bench , only useful in nightly. �

examples/ Examples how to use your crate, run via cargo run --example my_example .

src/ Actual source code for your project.

     build.rs Pre-build script, e.g., when compiling C / FFI, needs to be speci�ed in Cargo.toml .

     main.rs Default entry point for applications, this is what cargo run uses.

     lib.rs Default entry point for libraries. This is where lookup for my_crate::f starts.

tests/ Integration tests go here, invoked via cargo test . Unit tests often stay in src/ �le.

.rustfmt.toml In case you want to customize how cargo fmt works.

.clippy.toml Special con�guration for certain clippy lints.

Cargo.toml Main project con�guration. De�nes dependencies, artifacts ...

Cargo.lock Dependency details for reproducible builds, recommended to git for apps, not for libs.

An minimal library entry point with functions and modules looks like this:

// src/lib.rs (default library entry point)

pub fn f() {} // Is a public item in root, so it's accessible from the outside.

mod m {
pub fn g() {} // No public path (`m` not public) from root, so `g`
} // is not accessible from the outside of the crate.

For binaries (not depicted), function fn main() {} is the entry point. Unit tests (not depicted), usually reside in a #[cfg(test)] mod test { } next to
their code. Integration tests and benchmarks, in their basic, form look like this:

// tests/sample.rs (sample integration test)

#[test]
fn my_sample() {
assert_eq!(my_crate::f(), 123); // Integration tests (and benchmarks) 'depend' to the crate like
} // a 3rd party would. Hence, they only see public items.

10 of 15 12/23/19, 9:55 PM
Rust Language Cheat Sheet https://cheats.rs/

// benches/sample.rs (sample benchmark)

#![feature(test)] // #[bench] is still experimental

extern crate test; // Even in '18 this is needed ... for reasons.
// Normally you don't need this in '18 code.

use test::{black_box, Bencher};

#[bench]
fn my_algo(b: &mut Bencher) {
b.iter(|| black_box(my_crate::f())); // `black_box` prevents `f` from being optimized away.
}

Idiomatic Rust
If you are used to programming Java or C, consider these.

Idiom Code

Think in Expressions x = if x { a } else { b };

x = loop { break 5 };

fn f() -> u32 { 0 }

Think in Iterators (1..10).map(f).collect()

names.iter().filter(|x| x.starts_with("A"))

Handle Absence with ? x = try_something()?;

get_option()?.run()?

Use Strong Types enum E { Invalid, Valid { ... } } over ERROR_INVALID = -1

enum E { Visible, Hidden } over visible: bool

struct Charge(f32) over f32

Provide Builders Car::new("Model T").hp(20).run();

Split Implementations Generic types S<T> can have a separate impl per T .

Rust doesn't have OO, but with separate impl you can get specialization.

Unsafe Avoid unsafe {} , often safer, faster solution without it. Exception: FFI.

Implement Traits #[derive(Debug, Copy, ...)] and custom impl where needed.

Tooling With clippy you can improve your code quality.

Formatting with rustfmt helps others to read your code.

Add unit tests BK ( #[test] ) to ensure your code works.

Add doc tests BK ( ``` my_api::f() ``` ) to ensure docs match code.

Documentation Annotate your APIs with doc comments that can show up on docs.rs.

Don't forget to include a summary sentence and the Examples heading.

If applicable: Panics, Errors, Safety, Abort and Unde�ned Behavior.

� We highly recommend you also follow the API Guidelines (Checklist) for any shared project! �

Async-Await 101
If you are familiar with async / await in C# or TypeScript, here are some things to keep in mind:

Construct Explanation

async Anything declared async always returns an impl Future<Output=_> . STD

     async fn f() {} Function f returns an impl Future<Output=()> .

     async fn f() -> S {} Function f returns an impl Future<Output=S> .

     async { x } Transforms { x } into an impl Future<Output=X> .

11 of 15 12/23/19, 9:55 PM
Rust Language Cheat Sheet https://cheats.rs/

Construct Explanation
let sm = f(); Calling f() that is async will not execute f , but produce state machine sm . 1

     sm = async { g() }; Likewise, does not execute the { g() } block; produces state machine.

runtime.block_on(sm); 2
Outside an async {} , schedules sm to actually run. Would execute g() .

sm.await Inside an async {} , run sm until complete. Yield to runtime if sm not ready.
1
Technically async transforms the following code into an anonymous, compiler-generated state machine type, and f() instantiates that machine. The state machine always impl Future
, possibly Send & co, depending on types you used inside async . State machine driven by worker thread invoking Future::poll() via runtime directly, or parent .await indirectly.
2
Right now Rust doesn't come with its own runtime. Use external crate instead, such as async-std or tokio 0.2+. Also, Futures in Rust are an MPV. There is much more utility stu� in the
futures crate.

At each x.await , state machine passes control to subordinate state machine x . At some point a low-level state machine invoked via .await might
not be ready. In that the case worker thread returns all the way up to runtime so it can drive another Future. Some time later the runtime:

might resume execution. It usually does, unless sm / Future dropped.


might resume with the previous worker or another worker thread (depends on runtime).

Simpli�ed diagram for code written inside an async block :

consecutive_code(); consecutive_code(); consecutive_code();


START --------------------> x.await --------------------> y.await --------------------> READY
// ^ ^ ^ Future<Output=X> ready -^
// Invoked via runtime | |
// or an external .await | This might resume on another thread (next best available),
// | or NOT AT ALL if Future was dropped.
// |
// Execute `x`. If ready: just continue execution; if not, return
// this thread to runtime.

This leads to the following considerations when writing code inside an async construct:

Constructs 1 Explanation

sleep_or_block(); De�nitely bad �, never halt current thread, clogs executor.

set_TL(a); x.await; TL(); De�nitely bad �, await may return from other thread, thread local invalid.

s.no(); x.await; s.go(); Maybe bad �, await will not return if Future dropped while waiting. 2

Rc::new(); x.await; rc(); Non- Send types prevent impl Future from being Send ; less compatible.
1 Here we assume s is any non-local that could temporarily be put into an invalid state; TL is any thread local storage, and that the async {} containing the code is written without
assuming executor speci�cs.
2
Since Drop is run in any case when Future is dropped, consider using drop guard that cleans up / �xes application state if it has to be left in bad condition across .await points.

Closures
There is a subtrait relationship Fn : FnMut : FnOnce . That means, a closure that implements Fn , also implements FnMut and FnOnce . Likewise, a
closure that implements FnMut , also implements FnOnce .

From a call site perspective that means:

Signature Function g can call ... Function g accepts ...

g<F: FnOnce()>(f: F) ... f() once. Fn , FnMut , FnOnce

g<F: FnMut()>(mut f: F) ... f() multiple times. Fn , FnMut

g<F: Fn()>(f: F) ... f() multiple times. Fn

Notice how asking for a Fn closure as a function is most restrictive for the caller; but having a Fn closure as a caller is most compatible with any function.

From the perspective of someone de�ning a closure:

Closure Implements* Comment

|| { moved_s; } FnOnce Caller must give up ownership of moved_s .

|| { &mut s; } FnOnce , FnMut Allows g() to change caller's local state s .

|| { &s; } FnOnce , FnMut , Fn May not mutate state; but can share and reuse s .
*
Rust prefers capturing by reference (resulting in the most "compatible" Fn closures from a caller perspective), but can be forced to capture its environment by copy or move via the
move || {} syntax.

That gives the following advantages and disadvantages:

12 of 15 12/23/19, 9:55 PM
Rust Language Cheat Sheet https://cheats.rs/

Requiring Advantage Disadvantage

F: FnOnce Easy to satisfy as caller. Single use only, g() may call f() just once.

F: FnMut Allows g() to change caller state. Caller may not reuse captures during g() .

F: Fn Many can exist at same time. Hardest to produce for caller.

A Guide to Reading Lifetimes


Lifetimes can be overwhelming at times. Here is a simpli�ed guide on how to read and interpret constructs containing lifetimes if you are familiar
with C.

Construct How to read

let s: S = S(0) A location that is S -sized, named s , and contains the value S(0) .

If declared with let , that location lives on the stack. 1

Generally, s can mean location of s , and value within s .

As a location, s = S(1) means, assign value S(1) to location s .

As a value, f(s) means call f with value inside of s .

To explicitly talk about its location (address) we do &s .

To explicitly talk about a location that can hold such a location we do &S .

&'a S A &S is a location that can hold (at least) an address, called reference.

Any address stored in here must be that of a valid S .

Any address stored must be proven to exist for at least (outlive) duration 'a .

In other words, the &S part sets bounds for what any address here must contain.

While the &'a part sets bounds for how long any such address must at least live.

The lifetime our containing location is unrelated, but naturally always shorter.

Duration of 'a is purely compile time view, based on static analysis.

&S Sometimes 'a might be elided (or can't be speci�ed) but it still exists.

Within methods bodies, lifetimes are determined automatically.

Within signatures, lifetimes may be 'elided' (annotated automatically).

&s This will produce the actual address of location s , called 'borrow'.

The moment &s is produced, location s is put into a borrowed state.

Checking if in borrowed state is based on compile-time analysis.

This analysis is based on all possible address propagation paths.

As long as any &s could be around, s cannot be altered directly.

For example, in let a = &s; let b = a; , also b needs to go.

Borrowing of s stops once last &s is last used, not when &s dropped.

&mut s Same, but will produce a mutable borrow.

A &mut will allow the owner of the borrow (address) to change s content.

This reiterates that not the value in s , but location of s is borrowed.


1
Compare Data Structures section above: while true for synchronous code, an async 'stack frame' might actually be placed on to the heap by the used async runtime.

When reading function or type signatures in particular:

Construct How to read

S<'a> {} Signals that S will contain* at least one address (i.e., reference).

'a will be determined automatically by the user of this struct.

'a will be chosen as small as possible.

f<'a>(x: &'a T) Signals this function will accept an address (i.e., reference).

                    -> &'a S ... and that it returns one.

'a will be determined automatically by the caller.

'a will be chosen as small as possible.

'a will be picked so that it satis�es input and output at call site.

More importantly, propagate borrow state according to lifetime names!

13 of 15 12/23/19, 9:55 PM
Rust Language Cheat Sheet https://cheats.rs/

Construct How to read


So while result address with 'a is used, input address with 'a is locked.

Here: while s from let s = f(&x) is around, x counts as 'borrowed'.

<'a, 'b: 'a> The lifetimes declared in S<> and f<> can also have bounds.

The <'a, 'b> part means the type will handle at least 2 addresses.

The 'b: 'a part is a lifetime bound, and means 'b must outlive 'a .

Any address in an &'b X must exist at least as long as any in an &'a Y .


* Technically the struct may not hold any data (e.g., when using the 'a only for PhantomData or function pointers) but still make use of the 'a for communicating and requiring that
some of its functions require reference of a certain lifetime.

Invisible Sugar
If something works that "shouldn't work now that you think about it", it might be due to one of these.

Name Description
Coercions NOM 'Weaken' types to match signature, e.g., &mut T to &T .

Deref NOM Deref x: T until *x , **x , ... compatible with some target S .

Prelude STD
Automatic import of basic types.

Reborrow Since x: &mut T can't be copied; move new &mut *x instead.

Lifetime Elision BK NOM REF Automatically annotate f(x: &T) to f<'a>(x: &'a T) .

Method Resolution REF Deref or borrow x until x.f() works.

Formatting Strings
Formatting applies to print! , eprint! , write! (and their - ln siblings like println! ). The format! macro can create a formatted String .

Each format argument follows a basic grammar:

{[argument][':'[[fill]align][sign]['#']['0'][width]['.' precision][type]]}

The full grammar is speci�ed in the std::fmt documentation, but here are some commonly used �ags:

Element Meaning

argument Omitted (next {} ), number ( 0 , 1 , ...) or identi�er for named arguments.

align Left ( < ), center ( ^ ), or right ( > ) , if width is speci�ed, �lls with fill .

# Alternate formatting. Pretty-print with {:#?} , for example.

0 Zero-pads numeric values.

width Minimum width (≥ 0), padding with fill (default to space).

precision Decimal digits (≥ 0) for numerics, or max width for non-numerics.

type Debug ( ? ), hex ( x ), binary ( b ), or octal ( o ) (there are more, using Traits).

Note that width and precision can use other arguments as their values, allowing for dynamic sizing of �elds.

Example Explanation

{:#?} Pretty-print the next argument using Debug.

{2:#?} Pretty-print the 3rd argument using Debug.

{val:^2$} Center the val named argument, width speci�ed by the 3rd argument.

{:<10.3} Left align with width 10 and a precision of 3.

{val:#x} Format val argument as hex, with a leading 0x (alternate format for x ).

Tooling
Some commands and tools that are good to know.

Command Description

14 of 15 12/23/19, 9:55 PM
Rust Language Cheat Sheet https://cheats.rs/

Command Description
cargo init Create a new project for the latest edition.

cargo b uild Build the project in debug mode ( --release for all optimization).

cargo c heck Check if project would compile (much faster).

cargo t est Run tests for the project.

cargo r un Run your project, if a binary is produced (main.rs).

cargo doc --open Locally generate documentation for your code and dependencies.

cargo rustc -- -Zunpretty=X Show more desugared Rust code, in particular with X being:

     expanded Show with expanded macros, ...

cargo +{nightly, stable} ... Runs command with given toolchain, e.g., for 'nightly only' tools.

rustup docs Open o�ine Rust documentation (incl. the books), good on a plane!
A command like cargo b uild means you can either type cargo build or just cargo b .

These are optional rustup components. Install them with rustup component add [tool] .

Tool Description

cargo clippy Additional (lints) catching common API misuses and unidiomatic code. �

cargo fmt Automatic code formatter ( rustup component add rustfmt ). �

A large number of additional cargo plugins can be found here.

Ralf Biedert, 2019 – cheats.rs

Legal & Privacy

15 of 15 12/23/19, 9:55 PM

You might also like