- 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
Encapsulation (Data Hiding & System Integrity)

Encapsulation is the mechanism of bundling data (variables) and methods (functions) together into a single unit (a Class) and restricting direct access to some of that object's components.
It is not just about "hiding secrets"; it is about System Integrity. By hiding internal data (private), you ensure that the object cannot be put into an invalid or dangerous state by external code. The object manages its own state through a controlled interface (public).
Access Specifiers (The Security Levels)
C++ provides three keywords to control who can see and modify class members.
| Specifier | Accessible By | Usage Scenarios |
|---|---|---|
public | Everyone (External code, main()). | The Public API (functions users are meant to call). |
private | Only the Class itself. | Internal state, helper functions, hardware register pointers. |
protected | The Class + Derived Classes (Children). | Internal logic shared with children but hidden from the world. |
Detailed Syntax & Usage
The "Safe Hardware" Example
Imagine a Motor Driver where the duty cycle must never exceed 90% (safety limit) and never be negative.
class MotorDriver {
private:
// DATA HIDING:
// If this were public, a user could write 'duty_cycle = 200;' and burn the motor.
float duty_cycle;
uint32_t* pwm_reg;
// INTERNAL HELPER:
// A complex hardware sequence user doesn't need to see.
void trigger_update() {
*pwm_reg = (uint32_t)(duty_cycle * 1000);
}
public:
// CONSTRUCTOR: Initializes state safely.
MotorDriver() : duty_cycle(0.0f) { /* ... */ }
// PUBLIC INTERFACE (Setter):
// Contains Validation Logic (The "Invariant").
void setSpeed(float speed) {
if (speed > 90.0f) speed = 90.0f; // Clamp to safe max
if (speed < 0.0f) speed = 0.0f; // Clamp to safe min
duty_cycle = speed; // Update internal state
trigger_update(); // Update hardware
}
// PUBLIC INTERFACE (Getter):
// Read-only access.
float getSpeed() const {
return duty_cycle;
}
};Advanced Encapsulation Features
The
friendKeyword (Controlled Breach):Sometimes, you want one specific external class or function to access your private members without making them public to the whole world.
- Usage: Unit Testing (Test fixture needs to check private state) or tightly coupled classes (e.g.,
LinkedListaccessingNodeinternals).
class Box { private: int secret_data; friend class TestSuite; // 'TestSuite' can now touch 'secret_data' };- Usage: Unit Testing (Test fixture needs to check private state) or tightly coupled classes (e.g.,
Struct vs. Class:
Technically, they are almost identical. The only difference is the default encapsulation level.
class: Members areprivateby default. (Prefers Hiding).struct: Members arepublicby default. (Prefers Exposure).- Best Practice: Use
structfor "Plain Old Data" (POD) where there are no invariants to protect (e.g.,Coordinate {x, y}). Useclassfor everything else.
Why Encapsulation Matters in Embedded Systems
Maintaining Invariants:
An invariant is a condition that must always be true.
- Example: "The Buffer Head index must always be
< BUFFER_SIZE". - If
headis public, user codebuf.head++might overflow. Ifheadis private, thepush()function guarantees the wrap-around logic (head = (head + 1) % SIZE).
- Example: "The Buffer Head index must always be
Read-Only Hardware:
Many sensors provide data that should be read but never written to by software.
- Solution: Make the variable
privateand provide only agetVal()function. NosetVal()means the data is effectively read-only.
- Solution: Make the variable
Decoupling Implementation:
You can change the internal logic without breaking user code.
- Scenario: You switch from a software timer to a hardware timer.
- If users accessed the
timer_countervariable directly, their code breaks. - If users called
timer.getTime(), you just update the function body. Their code remains untouched.
Performance Myths (Inlining)
The Fear: "Calling getSpeed() adds function call overhead (stack push/pop). Direct access motor.speed is faster."
The Reality: C++ compilers are incredibly smart. If you define the getter in the header file:
// In header
inline float getSpeed() const { return duty_cycle; }The compiler performs Inlining. It replaces the function call with the direct assembly instruction to read the memory address.
Result: You get the safety of Encapsulation with Zero Performance Penalty.
Common Pitfalls & Best Practices
| Pitfall | Details |
|---|---|
| ❌ Getters/Setters for Everything | Don't automatically create getVariable() and setVariable() for every private member. This breaks encapsulation by exposing internals. Only expose what is necessary for the API. |
| ❌ Returning Non-Const Pointers | If you have private: int* buffer; and a public function int* getBuf() { return buffer; }, you have broken encapsulation. The user can now trash your private memory through that pointer. Fix: Return const int* or a safe copy. |
| ❌ Friend Abuse | Overusing friend turns your code into "Spaghetti Code" where everything touches everything else. Use it only when strictly necessary. |
| ✅ The "Const Correctness" | Always mark getters as const (e.g., int get() const). This assures the compiler and the user that this function will not modify the object's state. |
Concept understood? Let's apply and learn for real