- References
- Function Overloading
- Default Function Arguments
- Inline Function
- Dynamic Memory Allocation
- Placement New
- nullptr
- Namespaces
- Type Aliases
- Enum classes
- constexpr
- static_assert
- mutable Keyword
- auto Keyword
- Smart Pointers
- Basics of Classes
- Constructors
- Destructors
- Operator Overloading
- Copy Semantics
- Move Semantics
- Composition, RAII & Ownership
- Inheritance
- Polymorphism
- Abstraction
- Encapsulation
- Template
- Static Memory
- Friend Function
- this Pointer
- Function Pointer
- Lambdas and Callback Management
- Union
constexpr (Compile-Time Computation)

In Embedded C, we often use macros (#define) to perform math before the code runs (e.g., #define PRESCALER (CLK / BAUD)).
In C++, constexpr (Constant Expression) allows you to write standard C++ functions and variables that the compiler evaluates during compilation.
This means complex calculations (like generating CRC tables or converting units) happen on the developer's PC, and only the final result is burned into the microcontroller's Flash memory.
Syntax & Usage
1. Variables (True Constants)
Unlike const (which just means "read-only" and might typically sit in RAM or Flash), constexpr guarantees the value is known at compile time.
// C-Style
#define MAX_VOLTAGE 3.3
// C++ Style
constexpr float MAX_VOLTAGE = 3.3f;
constexpr float THRESHOLD = MAX_VOLTAGE / 2.0f;
// Compiler calculates 1.65f and stores it directly. No runtime division.2. Functions (The Powerhouse)
You can write functions that execute during compilation.
// Calculates factorial at compile-time
constexpr int factorial(int n) {
return (n <= 1) ? 1 : (n * factorial(n - 1));
}
// Usage
// The compiler effectively writes: int buf_size = 120;
int buf_size = factorial(5); 3. If/Loops (C++14 onwards)
Modern constexpr supports standard logic.
constexpr uint32_t calculate_prescaler(uint32_t sysclk, uint32_t target_freq) {
uint32_t div = sysclk / target_freq;
if (div > 0xFFFF) return 0xFFFF; // Clamp to 16-bit
return div;
}Comparison: The Evolution of Constants
| Feature | #define | const | constexpr |
|---|---|---|---|
| Mechanism | Text Replacement. | Read-Only Variable. | Compile-Time Calculation. |
| Type Safety | None. | Strong. | Strong. |
| Debug | Hard (Symbol usually lost). | Easy. | Easy (if runtime fallback). |
| Memory | None (Code literal). | RAM or Flash. | None (Code literal). |
Relevance in Embedded/Firmware
1. Zero-Overhead Lookup Tables
Instead of hardcoding a 256-byte CRC table or Sine Wave array (which is error-prone to type manually), you can write a constexpr function to generate it. The compiler fills the array in Flash for you.
struct Table { uint8_t data[256]; };
constexpr Table generate_crc() {
Table t = {};
// ... Fill t.data logic ...
return t;
}
// Table is generated during compilation and stored in Flash (.rodata)
constexpr Table crc_table = generate_crc(); 2. Safe Register Math
Calculating bitmasks or clock dividers often involves complex shifts and divisions. Using macros (#define) is messy and error-prone. constexpr functions allow you to write readable logic with validation checks (asserts) that run at compile time.
3. Static Assertions
You can use constexpr values in static_assert to prevent invalid configurations from even compiling.
constexpr int BUFFER_SIZE = 128;
static_assert(BUFFER_SIZE % 8 == 0, "Buffer must be aligned to 8 bytes");Common Pitfalls (Practical Tips)
| Pitfall | Details |
|---|---|
| ❌ Runtime Usage | A
|
| ❌ Debugging | You cannot "step through" a constexpr calculation in the debugger because it happened before the program started. |
| ❌ Complexity Limit | Compilers place limits on how many steps a constexpr function can take (recursion depth or loop count) to prevent the compilation from hanging forever. |
✅ Use consteval | In C++20, the keyword consteval was added. It forces immediate evaluation and throws an error if it attempts to run at runtime. |
Concept understood? Let's apply and learn for real