Join Our 4-Week Free Gen AI Course with select Programs.

Request a callback

or Chat with us on

Encapsulation in C++: A Quick Guide with Code Examples

Basics of SQL
Basics of SQL
icon
12 Hrs. duration
icon
12 Modules
icon
2600+ Learners
logo
Start Learning

In programming, we very often deal with data that needs protection. We do not want any part of our program to mess with sensitive data. Encapsulation in C++ is something that keeps your data safe and your code from being a mess.

 

The encapsulation concept is all about combining the data (the variables) and the methods (the functions) that work on that data within a single unit called a class. This is one of the four pillars of object-oriented programming that helps us avoid any external interference in our data.

 

Assume you were designing a system where you dealt with salaries for employees. You wouldn’t want someone coming along and changing the salary numbers in place, right? This is where encapsulation comes in and keeps things clean.

 

How does encapsulation help us?

 

  • Proteges the data from unwanted access or modifications.
  • Structuring your code in such a manner that you can club related variables and functions.
  • Modifications in the future will be less hassle since the variable does not have to be hunted through for every occurrence in your codebase.

 

Let us get started to see how encapsulation works in C++.

Encapsulation in C++

How Does Encapsulation Work in C++?

So, encapsulation forms the core of C++, which works through classes which package variables (data) and methods (functions) working on them in a single unit.

 

Here’s a simple break-down:

 

  • Private data remains ‘hidden’ within the class.
  • The public methods serve as the access controller, controlling access to private data.

 

It is similar to an application menu for a phone: you can’t have full access to everything, but you can change some settings by tapping on appropriate buttons (methods) given by the app.

Defining Encapsulation in C++ and Its Role in Programming

Encapsulation in C++ is the act of hiding the internal details of an object from the outer world. Only the required parts are shown and all other parts are hidden. Kind of like a washing machine: you hit a few buttons, but you don’t need to know what’s going on inside.

 

In C++, we do this using access specifiers. This tells the compiler who can see or use a particular variable or method.

 

Let’s make it clearer with an example:

#include <iostream> using namespace std;   class BankAccount { private: double balance;  // Only the class can access this   public: void setBalance(double bal) { balance = bal;  // Public method to set balance }   double getBalance() { return balance;  // Public method to get balance } };   int main() { BankAccount account; double bal;   cout << "Enter initial balance: "; cin >> bal;   account.setBalance(bal);  // Setting balance using public method cout << "Your balance is: " << account.getBalance();  // Getting balance   return 0; }

Output:

Enter initial balance: 7000 Your balance is: 7000

 

Here, we have a simple bank account where the balance is private. Nobody directly modifies the balance, but we allow access using public methods setBalance() and getBalance().

Deep Dive into Access Specifiers and Their Role in Encapsulation

In C++, we use access specifiers to determine who might see or modify our data. There are three primary access specifiers:

 

  • Public: Visible everywhere.
  • Private: Visible only within the class.
  • Protected: Visible within the class and derived classes (used more when we talk about inheritance, but let’s just stick with public and private for now).

Public Access Specifier: When and How to Use It

The public access specifier is the most accessible. It allows any part of the program to make use of the public members of a class. For example, if a method or a variable is public, it may be accessed anywhere the object is visible.

 

As can be seen in the above example, both setBalance() and getBalance() are public. We can, therefore, access them outside the class. But notice how we cannot touch the balance variable directly. That’s the magic of encapsulation.

Private Access Specifier: Protecting Class Members

With private, we seal off our data. Nothing else in the program will directly access it. This is where encapsulation really pays off. If we had declared the balance variable public, anyone could change it directly; this would cause many problems.

 

Keeping balance private means that changes to it are controlled and validated through public methods.

Protected Access Specifier: IntermediatE Access Control Explained

Protected members are a compromise between public and private. They may be accessed within the class and plus any class that inherits from it. Protected is particularly useful in inheritance scenarios but doesn’t impact the basic principles of encapsulation.

The Role of Member Functions in Accessing and Modifying Data Safely

We discussed how to make data private. Well, now, how do we work with it? That’s where member functions, also called methods, come into the picture. They are, so to speak, door-keepers to private data in the sense that they define both how to access and how to change them.

Accessor (getter) functions: Secure Data Retrieval

Accessors- or accessor functions-provide read access to private data. In the example above, getBalance() is an accessor function. We call it to read the value of balance but won’t change the value directly.

 

This is helpful when we want to expose data but not allow modification. For example, if we wish to present a user’s balance but do not want to give a user the ability to modify it directly, we use a getter method.

Mutator (Setter) Functions: Controlling Modification of Data

Mutators, or setter functions, let us change private variables but with necessary conditions. The above setBalance() method lets us change the value of the balance, but we could add extra checks if so required (such as ensuring that this balance isn’t negative).

 

This is important because we want our data to be consistent and not be changed in some weird way. Suppose we want to enforce that no balance is less than zero. We might change setBalance() like this:

void setBalance(double bal) { if (bal >= 0) { balance = bal; } else { cout << "Invalid balance. Must be non-negative." << endl; } }

Now, we’ve added a simple condition to protect our data from being set to a negative value.

How Encapsulation Enhances Data Security and Integrity

When working with sensitive information, the last thing we want is for our data to be freely accessible by any part of the code. In C++, we achieve this by the usage of the private keyword. Without proper encapsulation, the data can easily be tampered with. This could cause serious issues in your application.

 

For example, take a Student Management System. We never want someone to be able to change a student’s grade from the outside. Instead, we offer a safe method to modify it, like this:

#include <iostream> using namespace std;   class Student { private: int grade;  // Keep this hidden   public: void setGrade(int g) { if (g >= 0 && g <= 100) {  // Only valid grades grade = g; } else { cout << "Invalid grade. Must be between 0 and 100." << endl; } }   int getGrade() { return grade; } };   int main() { Student student; int inputGrade;   cout << "Enter student's grade: "; cin >> inputGrade;   student.setGrade(inputGrade); cout << "Student's grade is: " << student.getGrade() << endl;   return 0; }

Output:

Enter student's grade: 91 Student's grade is: 91 Enter student's grade: 123 Invalid grade. Must be between 0 and 100. Student's grade is: 0

Here, we’ve hidden the grade variable by making it private. The setGrade() method only accepts valid values, whereas getGrade() safely fetches the data.

 

This is an excellent example of how encapsulation ensures data integrity. By allowing the change of data only through controlled methods, we prevent our data from getting changed wrongly or being unauthentic.

DevOps & Cloud Engineering
Internship Assurance
DevOps & Cloud Engineering

Key Benefits and Advantages of Encapsulation in C++ Development

The protection of data is more than what encapsulation in C++  provides. It makes your code readable, maintainable, and scalable.

 

Let’s see why it is important to be a part of any C++ program.

Better Maintainability and Readability of Code through Encapsulation

Well-encapsulated code is easy to maintain. We know where the data is, how it changes, and who has access to it. This results in a lower probability of mistakes once there are many developers working on one codebase.

 

Encapsulation also keeps your code cleaner and easier to read. Before, the data was scattered everywhere through different files, but we’re putting it in classes. And then that way, if we ever need to change this logic, we know exactly where to look.

Enhanced Security and Protection of Sensitive Data with Encapsulation

We have just discussed how encapsulation guards data; let’s take a look from a security perspective.

 

This is very important in applications where we have to deal with personal or financial data.

 

Through encapsulation.

 

  • We limit access to sensitive data.
  • We deny unlawful modifications by simply controlling how data changes.
  • We make it harder for bugs to creep in because data does not get exposed all over the program.

 

It encapsulates your data as a safety net so that only authorised changes occur.

Modularity and Code Reusability: How Encapsulation Supports Scalability

Encapsulation in C++ makes our code more modular in the sense that we can reuse it in different parts of our program without modification. This is vital in big applications, where modules need to be independent but somehow still work cohesively.

 

When we encapsulate data inside a class, it becomes self-contained and can be reused in any part of the application.

 

Say we built the class for BankAccount; we could use that for any customer’s account without rewriting logic.

 

Modularity is not only scalable but also saves a lot of time by reducing redundant code.

Unique Example: Implementing Encapsulation in an Employee Management System

Let’s see encapsulation in action with a simple Employee Management System.

 

Here, we will develop an Employee class where the salary details are encapsulated and only some methods may access and change them.

#include <iostream> using namespace std; class Employee { private: string name; double salary; public: void setName(string n) { name = n; }   void setSalary(double s) { if (s > 0) { salary = s; } else { cout << "Invalid salary." << endl; } }   string getName() { return name; }   double getSalary() { return salary; } };   int main() { Employee emp; string empName; double empSalary;   cout << "Enter employee name: "; cin >> empName; emp.setName(empName);   cout << "Enter employee salary: "; cin >> empSalary; emp.setSalary(empSalary);   cout << "Employee Name: " << emp.getName() << endl; cout << "Employee Salary: " << emp.getSalary() << endl;   return 0; }

Output:

Enter employee name: Suman Enter employee salary: 50000 Employee Name: Suman Employee Salary: 50000 Enter employee name: Navin Enter employee salary: -3000 Invalid salary. Employee Name: Navin Employee Salary: 2.24454e-320

Here, the salary is encapsulated and accessible only by the methods setSalary() and getSalary(). Everything is thus secure and in order.

Information Hiding: A Concept for Simplifying Interfaces

Information hiding is a powerful tool for simplifying how we interact with our programs. We can hide the inner details behind simple interfaces. We expose only what is needed and not everything.

 

For example, if we are using a class of BankAccount, then we do not need to know how the interest is calculated. We need only a method that gives us the final balance.

Why Information Hiding is Critical for Simplified Software Development

By hiding the unnecessary details, we make the software easier to use. Developers do not need to know about the inner workings; they use public methods.

 

Too much information can be overwhelming, especially in large systems. Hiding information keeps the system clean and focused on the actual job at hand.

How Information Hiding Contributes to Scalable Software Design

As our system grows, we don’t want to expose more than we need to. By hiding unnecessary details, we keep our interfaces simple and maintainable.

 

Information hiding ensures the system does not collapse in case of updates or changes. Actually, it is a part of how software scalability is created so it can grow without losing its simplicity.

 

Also Read: Hybrid Inheritance in C++

Encapsulation and abstraction are closely linked concepts, but they are different. Both attempt to make it easier to deal with complex systems, but they go about it in different ways.

Why Encapsulation Must Be Used to Implement Data Abstraction

Encapsulation is hiding internal details and giving controlled access through methods. We have seen how data is protected by wrapping it within classes and is accessed only through getters and setters.

 

Abstraction is to hide the complexity of an implementation by showing only the essential features. Using the car analogy, you don’t have to know about the way the engine works in order to drive it; you only need to understand the behaviour of the pedals and steering wheel.

 

One of the techniques that we use to achieve abstraction is encapsulation.

 

Encapsulation in C++ helps us to make the user’s interaction simple with an object so that only necessary information is provided, and everything else is hidden.

 

Let’s discuss how encapsulation supports abstraction:

 

  • Encapsulation hides the data and internal workings of a class.
  • Abstraction hides the implementation of how it works but shows only what it does.

Encapsulation as a Building Block for Abstraction in C++

In C++, encapsulation is the foundation for achieving abstraction. By using encapsulation, we bundle data and methods inside classes, protecting the data and offering a simpler interface to work with.

 

For example, imagine a Payment System. The user doesn’t need to know how the payment is processed behind the scenes. They just need a simple method like processPayment() to handle everything.

 

Here’s a simple breakdown:

class Payment { private: double amount; string method;   public: void setPaymentDetails(double amt, string mtd) { amount = amt; method = mtd; }   void processPayment() { // Abstracting the details of how the payment is processed cout << "Processing a payment of Rs." << amount << " using " << method << endl; } };

The method processPayment() is the abstract part—it hides the complexity of the payment process, while encapsulation ensures the data (amount, method) stays secure.

 

Also Read: Hierarchical Inheritance in C++

Conclusion

Encapsulation in C++ ensures that data remains protected and access-controlled for cleaner code, security, and ease of maintenance. It allows us to put related methods alongside data into one unit for it to provide a clear interface while hiding unimportant details.

 

This does the following things: increase the safety of our information, reduce the complexity of our system design, and make our code scalable and modular. With private and public access specifiers, encapsulation controls how other parts of our program access our data and change it so that it doesn’t change in larger systems.

 

For any application, one is dealing with small or large-system encapsulation, which turns out to be an essential tool for better and more efficient programming.

FAQs
Encapsulation is about hiding data within a class and controlling how it’s accessed through methods. Abstraction refers to hiding the complexity of the system and showing only the details that are relevant to the user. Encapsulation helps in assisting abstraction through control over data access and implementation.
Encapsulation hides sensitive data by declaring them private so that possible access is only done through specific methods. This locks out unauthorised pieces of code from changing or accessing the given data directly, hence the better security and integrity of the program.
Access specifiers—public, private, and protected—are used to define how accessible a class's members are from outside the class. They are an integral component of encapsulation since they determine whether data should be hidden or made open for modification.
No, encapsulation depends on classes to bundle data and methods together Classes are the constructing blocks through which encapsulation in C++ can be achieved. The absence of classes leaves the only way that data cannot be controlled.
In large systems, encapsulation isolates and manages different parts of a program. By hiding unnecessary details and protecting data, we can scale the system without worrying about how one part affects another. This preserves the integrity and stability of the system as a whole.

Deploying Applications Over the Cloud Using Jenkins

Prashant Kumar Dey

Prashant Kumar Dey

Associate Program Director - Hero Vired

Ex BMW | Google

19 October, 12:00 PM (IST)

Limited Seats Left

Book a Free Live Class

left dot patternright dot pattern

Programs tailored for your success

Popular

Management

Data Science

Finance

Technology

Future Tech

Upskill with expert articles

View all
Hero Vired logo
Hero Vired is a leading LearnTech company dedicated to offering cutting-edge programs in collaboration with top-tier global institutions. As part of the esteemed Hero Group, we are committed to revolutionizing the skill development landscape in India. Our programs, delivered by industry experts, are designed to empower professionals and students with the skills they need to thrive in today’s competitive job market.

Data Science

Accelerator Program in Business Analytics & Data Science

Integrated Program in Data Science, AI and ML

Accelerator Program in AI and Machine Learning

Advanced Certification Program in Data Science & Analytics

Technology

Certificate Program in Full Stack Development with Specialization for Web and Mobile

Certificate Program in DevOps and Cloud Engineering

Certificate Program in Application Development

Certificate Program in Cybersecurity Essentials & Risk Assessment

Finance

Integrated Program in Finance and Financial Technologies

Certificate Program in Financial Analysis, Valuation and Risk Management

Management

Certificate Program in Strategic Management and Business Essentials

Executive Program in Product Management

Certificate Program in Product Management

Certificate Program in Technology-enabled Sales

Future Tech

Certificate Program in Gaming & Esports

Certificate Program in Extended Reality (VR+AR)

Professional Diploma in UX Design

Blogs
Reviews
Events
In the News
About Us
Contact us
Learning Hub
18003093939     ·     hello@herovired.com     ·    Whatsapp
Privacy policy and Terms of use

© 2024 Hero Vired. All rights reserved