Rust Resources đŠ
Official Rust Resources
- Learn Rust - Rust Programming Language
- The Rust Programming Language - The Rust Programming Language
- Introduction - The Rust Programming Language
- Variables and Mutability - The Rust Programming Language
- Data Types - The Rust Programming Language
- What is Ownership? - The Rust Programming Language || link
- Defining and Instantiating Structs - The Rust Programming Language
- A - Keywords - The Rust Programming Language
- Introduction - Rust By Example
- The Rust Standard Library
- The Rust Reference
- Clippy Documentation - A collection of lints to catch common mistakes and improve your Rust code. There are over 750 lints included in this crate!
- The Cargo Book
- rustlings.cool & rust-lang/rustlings - đŠ Small exercises to get you used to reading and writing Rust code!
- The Rustonomicon: The Dark Arts of Unsafe Rust - The Rustonomicon digs into all the awful details that you need to understand when writing Unsafe Rust programs
3rd Party đŠ Resources
- The Rust Performance Book
- The Brown Rust Book - This book is an experimental fork of The Rust Programming Language which introduces several mechanics to make learning Rust more interactive. (Quizzes, Highlighting, Notes)
- flamegraph-rs/flamegraph: Easy flamegraphs for Rust projects and everything else, without Perl or pipes <3
- Rust Nation UK and Rust Nation UK Talks
- Explaining rust-analyzer by Aleksey Kladov
Libraries
- LaurentMazare/tch-rs - Rust bindings for the C++ api of PyTorch - Notes by Laurent Mazaré
- huggingface/candle - Minimalist ML framework for Rust
- loco
Rust Notes
3. Common Programming Concepts
- 3.3. Functions:
- How can I create a function with a variable number of arguments?
- Default function arguments in Rust
- Rust does not support variadic functions except when interoperating with C code that uses varargs
- question I guess via a shared library?
4. Understanding Ownership
- Stack-Only Data: Copy: Rust has a special annotation called theÂ
Copy
 trait that we can place on types that are stored on the stack, as integers are. If a type implements theÂCopy
 trait, variables that use it do not move, but rather are trivially copied, making them still valid after assignment to another variable.- Rust wonât let us annotate a type withÂ
Copy
 if the type, or any of its parts, has implemented theÂDrop
 trait. (If the type needs something special to happen when the value goes out of scope and we add theÂCopy
 annotation to that type, weâll get a compile-time error.) - More on traits in: Chapter 10
- To learn about how to add theÂ
Copy
 annotation to your type to implement the trait, see âDerivable Traitsâ in Appendix C.
- Rust wonât let us annotate a type withÂ
- Rust Docs: Open with
rustup doc
- Rustâs standard library has extensive API documentation, with explanations of how to use various things, as well as example code for accomplishing various tasks. Code examples have a âRunâ button on hover that opens the sample in the playground.
- Your Personal Documentation: Whenever you are working in a crate,Â
cargo doc --open
 will generate documentation for your project and all its dependencies in their correct version, and open it in your browser. Add the flagÂ--document-private-items
 to also show items not markedÂpub
.
- References and Borrowing
- A reference is like a pointer in that itâs an address we can follow to access the data stored at that address; that data is owned by some other variable. Unlike a pointer, a reference is guaranteed to point to a valid value of a particular type for the life of that reference.
- Note: The opposite of referencing by usingÂ
&
 is dereferencing, which is accomplished with the dereference operator,Â*
. - Mutable references have one big restriction: if you have a mutable reference to a value, you can have no other references to that value. This code that attempts to create two mutable references toÂ
s
 will fail. - The benefit of having this restriction is that Rust can prevent data races at compile time. A data race is similar to a race condition and happens when these three behaviors occur:
- Two or more pointers access the same data at the same time.
- At least one of the pointers is being used to write to the data.
- Thereâs no mechanism being used to synchronize access to the data.
- Allowing for multiple (distinctly scoped) mutable references: we can use curly brackets to create a new scope, allowing for multiple mutable references, just not simultaneous ones
- referenceâs scope starts from where it is introduced and continues through the last time that reference is used - see code example main_mutable_vs_immutable_ref.rs
- imposed by the compiler: âthe compiler can tell that the reference is no longer being used at a point before the end of the scopeâ
- We also cannot have a mutable reference while we have an immutable one to the same value.
- Rationale: Users of an immutable reference donât expect the value to suddenly change out from under them.
- Lessons Recap:
- At any given time, you can have either one mutable reference or any number of immutable references.
- References must always be valid.
5. Using Structs to Structure Related Data
struct
has fields - filled in in arbitrary order with curly braces and key-value syntax- whole struct has to be mutable to mutate a field; can init new struct instance from existing one
- possible to use the Field Init Shorthand when building struct factories (like âpartialâ types) to eliminate redundant key: value when using the field name as function parameter name in function signature
- Struct update syntax to create new instance of same struct (type) from existing: syntaxÂ
..
 specifies that the remaining fields not explicitly set should have the same value as the fields in the given instance- using struct update syntax with an instance containing heap-allocated fields without creating new values in the new instance, moves out those heap-allocated fieldsâ data rendering the old instance unusable as a whole, but we can still use individual fields whose data has not been moved i.e. stack-allocated or copied (to the new instance) data
- tuple structs: have order, no field names, different types from tuples
- syntax:
struct Color(i32, i32, i32);
then laterlet black = Color(0, 0, 0);
- syntax:
- Unit-like structs useful to implement a trait on some type without data that you want to store in the type itself
- syntax:
struct AlwaysEqual;
then laterlet subject = AlwaysEqual;
- syntax:
- Are Rustâs structs classes, and if not why not? from Grok 3
- No Inherent Methods
- No Inheritance:
- No Constructors by Default
- Encapsulation is Optional
- Traits, Not Classes
- âRust uses traits to define shared behavior, somewhat like interfaces or abstract classes in OOP, but more flexible. A struct can implement multiple traits, providing a way to attach behavior without the baggage of a class hierarchyâ
- A class in a language like C++ or Python is a single entity that combines data, methods, and often inheritance into one package. Rust splits this into:
struct
for dataimpl
for methodstrait
for shared behaviour- Composition or trait objects for polymorphism.
- This modularity gives you more control and aligns with Rustâs goals of performance and safety, but it means structs donât carry the full weight of what âclassâ implies in OOP.
- References can be stored in
struct
s using lifetimes - 5.3. Method Syntax:
- start anÂ
impl
 (implementation) block for the struct (type) - defined within the context of a struct, enum or trait object
- first parameter is alwaysÂ
self
, which represents the instance of the struct the method is being called on &self
 is actually short forÂself: &Self
&
 in front of theÂself
 shorthand to indicate that this method borrows theÂSelf
 instance- Methods can take ownership ofÂ
self
, borrowÂself
 immutably, as weâve done here, or borrowÂself
 mutably, just as they can any other parameter. - for methods that mutate (e.g. perform a transformation on) the instance, you can use
&mut self
- methods taking ownership of the instance are rare e.g. transformations where you want to stop the caller from using the original instance after the transformation
- use cases: destructive operations; chaining with consumption; transfer of ownership e.g. to another thread; more from Grok 3
- we can choose to give a method the same name as one of the structâs fields - distinguished by following with parentheses
- can define getters: âuseful because you can make the field private but the method publicâ
- Rust doesnât have an equivalent to theÂ
->
 operator from C++ - Rust has a feature called automatic referencing and dereferencing.- Calling methods is one of the few places in Rust with this behaviour
- see section [[#wheres-the---operator|Whereâs the
->
Operator?]], which Iâve directly saved from the docs because I know Iâll get confused about this later đ
- All functions defined within anÂ
impl
 block are called associated functions because theyâre associated with the type named after theÂimpl
.- We can define associated functions that donât haveÂ
self
 as their first parameter (and thus are not methods) because they donât need an instance of the type to work with. - Associated functions that arenât methods are often used for constructors that will return a new instance of the struct.
- These are often calledÂ
new
, butÂnew
 isnât a special name and isnât built into the language; e.g.square
associated function example forRectangle
struct
- These are often calledÂ
- We can define associated functions that donât haveÂ
- start anÂ
struct
s can have multipleimpl
blocks which can be useful e.g. for generic types and traits or for e.g. separating methods/associated functions which are exported by PyO3 versus not, as (used to be done in a previous version of) in tiktoken
6. Enums and Pattern Matching
Enums: allow you to define a type by enumerating its possible variants
- How can I create enums with constant values in Rust? - specifically this answer which uses a
struct
with associated constants and#[non_exhaustive]
- question this seems like a bit of an abuse of the language though since the object will not be an
enum
type ??
- question this seems like a bit of an abuse of the language though since the object will not be an
- syntax:
let four = IpAddrKind::V4;
creates an instance of theV4
variantwhich has typeviaIpAddrKind
::
namespacing - can attach data to each variant of the
enum
directly e.g.V4(u8, u8, u8, u8),
insideenum IpAddr {...}
- can be arbitrarily complex/complicated e.g. standard libraryIpAddr
enum which has variants likeV4(Ipv4Addr),
whereIpv4Addr
is astruct
- the name of each enum variant that we define also becomes a function that constructs an instance of the enum
- allows for the syntax like:
Quarter(UsState),
in theCoin
enum
- allows for the syntax like:
- can define variants with different data structures
- similar to defining different kinds of struct definitions, except the enum doesnât use theÂ
struct
 keyword and all the variants are grouped together under theÂenum
âs type.
- similar to defining different kinds of struct definitions, except the enum doesnât use theÂ
Option<T>
(enum
in the std library) expresses that a value can be either something or nothing (defined by the standard library)- Rust has this; Rust does not have a
null
value- âExpressing this concept in terms of the type system means the compiler can check whether youâve handled all the cases you should be handlingâ
- âIn languages with null, variables can always be in one of two states: null or not-null.â
- Null References The Billion Dollar Mistake from Tony Hoare
- included in prelude (std lib) as well as
Some
andNone
hence why you can directly write:Some(5);
Option<T>
syntax is for generic type and using different (âconcreteâ)<T>
inducesOption<T>
to be of different type- syntax:
let absent_number: Option<i32> = None;
orlet some_number = Some(5);
- the compiler canât infer the type that the correspondingÂ
Some
 variant will hold by looking only at aÂNone
 value Option
is useful becauseÂOption<T>
 andÂT
 (whereÂT
 can be any type) are different types, the compiler wonât let us use anÂOption<T>
 value as if it were definitely a valid value.- to have a value that can possibly be null, you must explicitly opt in by making the type of that valueÂ
Option<T>
. Then, when you use that value, you are required to explicitly handle the case when the value is null. - Everywhere that a value has a type that isnât anÂ
Option<T>
, you can safely assume that the value isnât null. - Arguments passed toÂ
map_or
 are eagerly evaluated; if you are passing the result of a function call, it is recommended to useÂmap_or_else
, which is lazily evaluated.
- Rust has this; Rust does not have a
match
: used to evaluate which variant of an enum is matched- big difference: withÂ
if
, the condition needs to evaluate to a Boolean value, but here it can be any type - syntax:
Coin::Penny => 1,
with possible pattern values (and code that handles them; arms) separated by commas - multi-line code to handle case uses
{}
and no trailing comma required - recall: the name of each enum variant that we define also becomes a function that constructs an instance of the enum hence weâre allows a function-like syntax as in
Coin::Quarter(state) => { println!("State quarter from {state:?}!"); 25 }
because indeed - Youâll see this pattern a lot in Rust code:Â
match
 against an enum, bind a variable to the data inside, and then execute code based on it. Itâs a bit tricky at first, but once you get used to it, youâll wish you had it in all languages. Itâs consistently a user favorite. - Matches are exhaustive
- catch all:
other
??- have to put the catch-all arm last because the patterns are evaluated in order
- catch-all without using the value in the catch-all pattern:Â
_
- special pattern that matches any value and does not bind to that value (Rust wonât warn us about an unused variable)
- Can use unit
()
as match value to indicate no code execution
- big difference: withÂ
if let
: concise idiom that combinesÂif
 andÂlet
to succinctly handle values that match one pattern while ignoring the rest- syntax:Â
if let
 takes a pattern and expression separated by an equal sign:if let Some(max) = config_max {...}
- can then useÂ
variant
 in the body of theÂif let
 block in the same way we would useÂvariant
 in the correspondingÂmatch
 arm
- can then useÂ
- can include anÂ
else
 with anÂif let
(like theÂ_
 case in theÂmatch
 expression)
- syntax:Â
- TheÂ
let
-else
 syntax takes a pattern on the left side and an expression on the right, very similar toÂif let
, but it does not have anÂif
 branch, only anÂelse
 branch. If the pattern matches, it will bind the value from the pattern in the outer scope. If the pattern does not match, the program will flow into theÂelse
 arm, which must return from the function.- syntax:
let Coin::Quarter(state) = coin else { return None; };
- bit confusing to me as the value from the pattern is bound in the outer scope without a visible assignment to a symbol of this name (in this example, the
state
variable)question usage examples/patterns
- bit confusing to me as the value from the pattern is bound in the outer scope without a visible assignment to a symbol of this name (in this example, the
- refer to section Staying on the âhappy pathâ withÂ
let else
- syntax:
7. Managing Growing Projects with Packages, Crates, and Modules
- Crates: binaries or library
- A package can contain multiple binary crates and optionally one library crate
- encapsulating implementation details: other code can call your code via its public interface without having to know how the implementation works - public vs private
- scope: the nested context in which code is written has a set of names that are defined as âin scopeâ
- the module system includes:
- Packages:Â A Cargo feature that lets you build, test, and share crates
- Crates:Â A tree of modules that produces a library or executable
- Modules and use: Let you control the organization, scope, and privacy of paths
- Paths:Â A way of naming an item, such as a struct, function, or module
- crate root is a source file that the Rust compiler starts from and makes up the root module of your crate
- src/main.rs and src/lib.rs are called crate roots
- the contents of either of these two files form a module namedÂ
crate
 at the root of the crateâs module structure, known as the module tree - the entire module tree is rooted under the implicit module namedÂ
crate
- analogous to a filesystem
- package is a bundle of one or more crates that provides a set of functionality. A package contains a Cargo.toml file that describes how to build those crates
- A package can have multiple binary crates by placing files in the src/bin directory: each file will be a separate binary crate
- Modules let us organize code within a crate for readability and easy reuse. Modules also allow us to control the privacy of items because code within a module is private by default.
- Modules can be inline:
mod front_of_house {...<module contents>...}
- Modules can be nested:
mod front_of_house {... mod {...} ...}
- A path can take two forms:
- An absolute path is the full path starting from a crate root; for code from an external crate, the absolute path begins with the crate name, and for code from the current crate, it starts with the literalÂ
crate
. - A relative path starts from the current module and usesÂ
self
,Âsuper
, or an identifier in the current module.
- An absolute path is the full path starting from a crate root; for code from an external crate, the absolute path begins with the crate name, and for code from the current crate, it starts with the literalÂ
- Both absolute and relative paths are followed by one or more identifiers separated by double colons:
::
- In Rust, all items (functions, methods, structs, enums, modules, and constants) are private to parent modules by default. If you want to make an item like a function or struct private, you put it in a module.
- Items in a parent module canât use the private items inside child modules, but items in child modules can use the items in their ancestor modules.
- making the module public doesnât make its contents public TheÂ
pub
 keyword on a module only lets code in its ancestor modules refer to it, not access its inner code. - see The Rust API Guidelines for considerations around managing changes to your public API to make it easier for people to depend on your crate
- See section below: Best Practices for Packages with a Binary and a Library
super
: We can construct relative paths that begin in the parent module, rather than the current module or the crate root, by usingÂsuper
 at the start of the path. This is like starting a filesystem path with theÂ..
 syntax.- Making Structs and Enums Public
- If we useÂ
pub
 before a struct definition, we make the struct public, but the structâs fields will still be private. We can make each field public or not on a case-by-case basis - In contrast, if we make an enum public, all of its variants are then public. We only need theÂ
pub
 before theÂenum
 keyword
- If we useÂ
use
andas
- AddingÂ
use
 and a path in a scope is similar to creating a symbolic link in the filesystem. By addingÂuse crate::front_of_house::hosting
 in the crate root,Âhosting
 is now a valid name in that scope, just as though theÂhosting
 module had been defined in the crate root use
 only creates the shortcut for the particular scope in which theÂuse
 occurs
- AddingÂ
8. Common Collections
Vectors
- vectors cannot be mutated e.g. via the
push
method whilst a reference exists to them or any of their elements (in the same scope; per the borrowing rules)- because they are heap-allocated and the mutation may require a reallocation (e.g. if the memory they currently occupy is insufficient) which would invalidate the (slice or element) reference
- Iterating Over the Values in a Vector: use reference
&
(usually I guess) and dereference with*
to change (mutate) a mutable reference - For more on the implementation details of theÂ
Vec<T>
 type, see # Example: Implementing Vec in âThe Rustonomiconâ - use Enums to Store Multiple Types in vectors
- still need to be explicit about what types are allowed in a vector so the compiler knows exactly how much memory on the heap will be needed to store each element at compile time
- using an enum plus aÂ
match
 expression means that Rust will ensure at compile time that every possible case is handled
- see Struct Vec
Strings
- strings are implemented as a collection of bytes, plus some methods to provide useful functionality when those bytes are interpreted as text
- What Is a String? very important - return to reread this section and expand it out herequestion
- theÂ
to_string
 method is available on any type that implements theÂDisplay
 trait e.g. string literals e.g.let s = "initial contents".to_string();
10. Generic Types, Traits, and Lifetimes
- Traits:
- Traits vs Interfaces in Programming from Grok 3
- default trait - give a type a useful default value
- 13. Functional Language Features: Iterators and Closures
- 15. Smart Pointers
- 16. Fearless Concurrency
- 17. Fundamentals of Asynchronous Programming: Async, Await, Futures, and Streams
- 18. Object Oriented Programming Features of Rust
- 19. Patterns and Matching
- Dereference Coercion:
- âImplicit Deref Coercions with Functions and Methodsâ
- Treating Smart Pointers Like Regular References with theÂ
Deref
 Trait - Trait
std::ops::Deref
- Rust: References and Deref Coercion from Grok 3 - seemingly a very good, to the point summary
- Doesnât the Deref trait go against everything Rust stands for? - Reddit
- Is it considered a bad practice to implement Deref for newtypes?
- Macros:
- Another way to print out a value using theÂ
Debug
 format is to use theÂdbg!
 macro, which takes ownership of an expression (as opposed toÂprintln!
, which takes a reference), prints the file and line number of where thatÂdbg!
 macro call occurs in your code along with the resultant value of that expression, and returns ownership of the value.- this is contrasted against using
println!("{:#?}", your_var_implementing_debug_trait_here);
(or the regular, non-pretty version without the#
so{:?}
instead of{:#?}
- Calling theÂ
dbg!
 macro prints to the standard error console stream (stderr
), as opposed toÂprintln!
, which prints to the standard output console stream (stdout
)
- this is contrasted against using
- Attributes: An attribute is a general, free-form metadatum that is interpreted according to name, convention, language, and compiler version. Attributes are modeled on Attributes in ECMA-335, with the syntax coming from ECMA-334 (C#).
- Cargo Workspaces (Chapter 14)
- For very large projects comprising a set of interrelated packages that evolve together, Cargo provides workspaces.
Cargo Notes
- Cargo Targets
- Configuring a target
- The double-bracket sections likeÂ
[[bin]]
 are array-of-table of TOML, which means you can write more than oneÂ[[bin]]
 section to make several executables in your crate.
- The double-bracket sections likeÂ
- Configuring a target
Rust for ML
- Rust for ML? - Reddit
- Twitterâs The Algorithm has some ML written in Rust: navi/navi/src/torch_model.rs
- âThe ML model they use to generate predictions is a torch model coded directly in Rustâ per Rust for ML? - Reddit
Rust Extended Notes
Whereâs the ->
 Operator?
From Whereâs theÂ
->
 Operator? which compares Rust's method calling syntax to that of C++ and C
In C and C++, two different operators are used for calling methods: you use .
 if youâre calling a method on the object directly and ->
 if youâre calling the method on a pointer to the object and need to dereference the pointer first. In other words, if object
 is a pointer, object->something()
 is similar to (*object).something()
.
Rust doesnât have an equivalent to the ->
 operator; instead, Rust has a feature called automatic referencing and dereferencing. Calling methods is one of the few places in Rust with this behavior.
Hereâs how it works: when you call a method with object.something()
, Rust automatically adds in &
, &mut
, or *
 so object
 matches the signature of the method. In other words, the following are the same:
p1.distance(&p2); (&p1).distance(&p2);
The first one looks much cleaner. This automatic referencing behavior works because methods have a clear receiverâthe type of self
. Given the receiver and name of a method, Rust can figure out definitively whether the method is reading (&self
), mutating (&mut self
), or consuming (self
). The fact that Rust makes borrowing implicit for method receivers is a big part of making ownership ergonomic in practice.
Modules Cheat Sheet
From Modules Cheat Sheet
Before we get to the details of modules and paths, here we provide a quick reference on how modules, paths, the use
 keyword, and the pub
 keyword work in the compiler, and how most developers organize their code. Weâll be going through examples of each of these rules throughout this chapter, but this is a great place to refer to as a reminder of how modules work.
- Start from the crate root: When compiling a crate, the compiler first looks in the crate root file (usually src/lib.rs for a library crate or src/main.rs for a binary crate) for code to compile.
- Declaring modules: In the crate root file, you can declare new modules; say you declare a âgardenâ module withÂ
mod garden;
. The compiler will look for the moduleâs code in these places:- Inline, within curly brackets that replace the semicolon followingÂ
mod garden
- In the file src/garden.rs
- In the file src/garden/mod.rs
- Inline, within curly brackets that replace the semicolon followingÂ
- Declaring submodules: In any file other than the crate root, you can declare submodules. For example, you might declareÂ
mod vegetables;
 in src/garden.rs. The compiler will look for the submoduleâs code within the directory named for the parent module in these places:- Inline, directly followingÂ
mod vegetables
, within curly brackets instead of the semicolon - In the file src/garden/vegetables.rs
- In the file src/garden/vegetables/mod.rs
- Inline, directly followingÂ
- Paths to code in modules: Once a module is part of your crate, you can refer to code in that module from anywhere else in that same crate, as long as the privacy rules allow, using the path to the code. For example, anÂ
Asparagus
 type in the garden vegetables module would be found atÂcrate::garden::vegetables::Asparagus
. - Private vs. public: Code within a module is private from its parent modules by default. To make a module public, declare it withÂ
pub mod
 instead ofÂmod
. To make items within a public module public as well, useÂpub
 before their declarations. - TheÂ
use
 keyword: Within a scope, theÂuse
 keyword creates shortcuts to items to reduce repetition of long paths. In any scope that can refer toÂcrate::garden::vegetables::Asparagus
, you can create a shortcut withÂuse crate::garden::vegetables::Asparagus;
 and from then on you only need to writeÂAsparagus
 to make use of that type in the scope.
Here, we create a binary crate named backyard
 that illustrates these rules. The crateâs directory, also named backyard
, contains these files and directories:
backyard
âââ Cargo.lock
âââ Cargo.toml
âââ src
âââ garden
â  âââ vegetables.rs
âââ garden.rs
âââ main.rs
The crate root file in this case is src/main.rs, and it contains:
Filename: src/main.rs
use crate::garden::vegetables::Asparagus;
pub mod garden;
fn main() {
let plant = Asparagus {};
println!("I'm growing {plant:?}!");
}
The pub mod garden;
 line tells the compiler to include the code it finds in src/garden.rs, which is:
Filename: src/garden.rs
pub mod vegetables;
Here, pub mod vegetables;
 means the code in src/garden/vegetables.rs is included too. That code is:
#[derive(Debug)]
pub struct Asparagus {}
Best Practices for Packages with a Binary and a Library
We mentioned that a package can contain both a src/main.rs binary crate root as well as a src/lib.rs library crate root, and both crates will have the package name by default. Typically, packages with this pattern of containing both a library and a binary crate will have just enough code in the binary crate to start an executable that calls code within the library crate. This lets other projects benefit from most of the functionality that the package provides because the library crateâs code can be shared.
The module tree should be defined in src/lib.rs. Then, any public items can be used in the binary crate by starting paths with the name of the package. The binary crate becomes a user of the library crate just like a completely external crate would use the library crate: it can only use the public API. This helps you design a good API; not only are you the author, youâre also a client!
In Chapter 12, weâll demonstrate this organizational practice with a command-line program that will contain both a binary crate and a library crate.
Listing 7-12: AÂ use
 statement only applies in the scope itâs in
This example is interesting because it also shows that the module and then function scope does not look up into a parent scope.question Iâm not sure if the term parent scope is valid or correct here.
I guess this is to do with module boundaries? (maybe the function scope captures its enclosing namespace/scope and allows use of variables from it)question
mod front_of_house {
pub mod hosting {
pub fn add_to_waitlist() {}
}
}
use crate::front_of_house::hosting;
mod customer {
pub fn eat_at_restaurant() {
hosting::add_to_waitlist(); // <- error[E0433]: failed to resolve: use of undeclared crate or module `hosting`
}
}
Articles
- A half-hour to learn Rust by fasterthanlime
- Steve Klabnikâs Blog
- Andrew Gallantâs Blog
- Carolâs 10 Cents by Carol Nichols
- Sym·poly·mathesy (maybe?) by Chris Krycho
- Change in Guidance on Committing Lockfiles Rust Blog
- How to query variable values at runtime in Rust? from Grok (3)
- Rust for the impatient from No Boilerplate
- Stop writing Rust from No Boilerplate
- why rust libraries may never exist. from Low Level
- newb question why is println! a macro? - Reddit - contains nice flow-on discussion of variadic functions
- graydon2 The Rust I Wanted Had No Future
- The Rust RFC process does not seem as amazing as I initially thought - Reddit
- Inline In Rust