5.1 Keywords

Keywords are reserved words that have special meanings in a programming language. In Rust, they define fundamental language constructs and cannot be used as regular identifiers (like variable names) unless you employ the raw identifier syntax described below. If you have experience with C/C++, many Rust keywords will look familiar, but Rust also introduces several new keywords to support features such as ownership, borrowing, and safe concurrency.

5.1.1 Raw Identifiers

When you encounter naming conflicts with Rust keywords—especially while integrating C code or using older Rust crates—you can use raw identifiers. By prefixing a keyword with r#, you tell the compiler to treat it only as an identifier, not as a reserved word. This is particularly helpful when C libraries or legacy Rust crates use names that became keywords in newer Rust editions.

For example, Rust 2024 introduces the keyword gen, which may have been used previously in legacy crates. If you need to call a function named gen from an older crate while compiling with Rust 2024, you can write r#gen(). Similarly, if you want a struct field named type, you can write r#type instead of typ or ty.

Below is a small example demonstrating raw identifiers:

fn main() {
    {
        let r#mod = 5;
        // 'mod' is a keyword in Rust, but here it's treated as a variable name
        println!("Value is {}", r#mod);

        // 'rust' is not a keyword, so the compiler treats 'rust' and 'r#rust' as the same identifier
        let mut rust = 1; 
        r#rust = 2;
        println!("{rust}");
        // Note that in format strings, you don't prefix keywords or raw identifiers with `r#`
        // println!("{r#rust}"); // This fails to compile
    }

    {
        let mut r#rust = 1;
        rust = 2;
        println!("{rust}");
    }

    struct T {
        r#type: i32
    }
    let h = T { r#type: 0 };
}

Because mod is a keyword, if you want to use that name for your own item, you must write r#mod. Although rust is not a keyword, writing r#rust is still permitted and can future-proof your code in case rust ever becomes a keyword. Note, however, that the println!() macro requires identifiers without the r# prefix in the format string.

Rust categorizes keywords into three groups: strict, reserved, and weak. Strict keywords are actively used by the language, reserved keywords are set aside for possible future use, and weak keywords apply only in certain contexts but can otherwise be used as identifiers.

5.1.2 Strict Keywords

KeywordDescriptionC/C++ Equivalent
asCasts types or renames importstypedef (or as in C++)
asyncDeclares an async functionC++20 uses co_await
awaitSuspends execution until an async operation completesNone (C++20 co_await)
breakExits a loop or block prematurelybreak
constDeclares a compile-time constantconst
continueSkips the rest of the current loop iterationcontinue
crateRefers to the current crate/packageNone
dynIndicates dynamic dispatch for trait objectsNo direct equivalent
elseIntroduces an alternative branch of an if statementelse
enumDeclares an enumerationenum
externLinks to external language functions or dataextern
falseBoolean literalfalse
fnDeclares a functionint, void, etc. in C
forIntroduces a loop over an iterator or rangefor
genIntroduced in Rust 2024 (reserved for new language features)None
ifConditional branchingif
implImplements traits or methods for a typeNone
inUsed in a for loop to iterate over a collectionRange-based for in C++
letDeclares a variableNo direct equivalent in C
loopCreates an infinite loopwhile(true)
matchPattern matchingswitch (loosely)
modDeclares a moduleNone
moveCaptures variables by value in closuresNone
mutMarks a variable or reference as mutableNo direct C equivalent
pubMakes an item public (controls visibility)public (C++ classes)
refBinds a variable by reference in a patternSimilar to C++ &
returnReturns a value from a functionreturn
selfRefers to the current instance in impl blocksC++ this
SelfRefers to the implementing type within impl or trait blocksNo direct C++ equivalent
staticDefines a static item or lifetimestatic
structDeclares a structurestruct
superRefers to the parent moduleNo direct equivalent
traitDeclares a trait (interface-like feature)Similar to abstract classes
trueBoolean literaltrue
typeDefines a type alias or associated typetypedef
unsafeAllows operations that bypass Rust’s safety checksC is inherently unsafe
useImports items into a scope#include, using
wherePlaces constraints on generic type parametersNone
whileDeclares a loop with a conditionwhile

5.1.3 Reserved Keywords (For Future Use)

These keywords are reserved for potential future use in Rust. They have no current functionality but cannot be used as identifiers:

Reserved KeywordC/C++ Equivalent
abstractabstract (C++)
becomeNone
boxNone
dodo (C)
finalfinal (C++)
macroNone
overrideoverride (C++)
privprivate (C++)
trytry (C++)
typeoftypeof (GNU C)
unsizedNone
virtualvirtual (C++)
yieldyield (C++)

5.1.4 Weak Keywords

Weak keywords have special meaning only in certain contexts. Outside those contexts, they can be used as identifiers:

  • macro_rules
  • union
  • 'static
  • safe
  • raw

For example, you can declare a variable or method named union unless you are defining a union type.

5.1.5 Comparison with C/C++

Rust shares some keywords with C/C++ (e.g., if, else, while), so they will seem familiar. However, Rust includes keywords for language constructs not found in C, such as async, await, trait, and unsafe. Additionally, Rust keywords like mut, move, and ref convey or enforce ownership and borrowing rules at compile time, providing greater memory safety without relying on a garbage collector or manual memory management.