C++ with all Topics and sub-topics, in simple words

Our Journey Map (Topics):
Getting Started: What is C++, Setting up, Your First Program
The Basics: Variables, Data Types, Operators, Input/Output
Controlling the Flow: Conditional Statements (if, else), Loops (for, while)
Organizing Code: Functions: Creating functions, Parameters, Return values
Data Structures: Arrays and Strings: Storing collections of data
Pointers: Understanding Memory: Working with memory addresses (a bit tricky, but important!)
Object-Oriented Programming (OOP) - Part 1: Classes and Objects: Creating blueprints and instances
Object-Oriented Programming (OOP) - Part 2: Inheritance and Polymorphism: Reusing and extending code
Working with Files: Reading and writing data to files
Templates: Generic Programming: Writing code that works with different data types
Exception Handling: Dealing with Errors: Making your program robust
Standard Template Library (STL): Powerful Tools: Ready-made data structures and algorithms
Modern C++ (Brief Look): Features from C++11 and beyond
Where to Go Next: Resources and practice
Let's Begin!
1. Getting Started
1.1 What is C++?
Imagine you want to give instructions to a computer. You can't just speak to it in English (yet!). C++ is like a language you use to talk to computers. It's a programming language that lets you create all sorts of things: games, applications, operating systems, and much more.
- Simple Analogy: Think of C++ as a set of building blocks (like LEGOs). You can combine these blocks in different ways to build complex structures (your programs).
1.2 Setting up your Environment
To write and run C++ code, you need a few tools:
Compiler: This translates your C++ code (which is human-readable) into machine code (which the computer understands). Think of it as a translator. Popular compilers are g++ (often used on Linux/macOS) and Visual C++ (for Windows).
Code Editor or IDE (Integrated Development Environment): This is where you write your C++ code. A simple text editor works, but IDEs are much better because they offer helpful features like code highlighting, error checking, and debugging.
Free and Popular IDEs for Beginners:
Code::Blocks: Simple and good for beginners.
Dev-C++: Another easy-to-use option.
Visual Studio Community (Windows): Powerful and free for students and individuals.
VS Code (Cross-platform): Lightweight but can be extended into a powerful C++ IDE.
Installation (Very Briefly):
Windows: Download and install Visual Studio Community or Code::Blocks.
macOS: You likely already have a compiler. You can install Xcode from the App Store (includes a compiler) or use command-line tools like brew install gcc (using Homebrew package manager).
Linux: Use your distribution's package manager (like apt-get install g++ on Ubuntu/Debian or yum install gcc-c++ on Fedora/CentOS).
Don't worry too much about the details of installation right now. Just pick an IDE and follow its installation instructions. If you get stuck, search online for "install [your IDE name] C++ [your operating system]".
1.3 Your First C++ Program: "Hello, World!"
Let's write the classic "Hello, World!" program. This is the traditional first program in many languages.
#include <iostream> int main() { std::cout << "Hello, World!" << std::endl; return 0; }
Let's break it down line by line:
#include <iostream>: This line includes a "header file" called iostream. Think of header files as libraries of pre-written code. iostream is for input and output (like displaying text on the screen).
int main() { ... }: This is the main function. Every C++ program must have a main function. The code inside the curly braces {} is what will be executed when you run your program. int means the function will return an integer value (we'll see what that means later).
std::cout << "Hello, World!" << std::endl;: This is the line that actually displays "Hello, World!" on the screen.
std::cout (pronounced "see-out") is used for outputting text.
<< is the "insertion operator." It sends the text to std::cout.
"Hello, World!" is the text (a string) you want to display. Text in quotes is called a string literal.
std::endl (pronounced "end-line") inserts a newline character, which moves the cursor to the next line on the screen after printing "Hello, World!".
return 0;: This line indicates that the main function has finished successfully. Returning 0 is a convention to signal success to the operating system.
How to Run this program:
Open your IDE or text editor.
Type (or copy-paste) the code exactly as shown above.
Save the file with a .cpp extension (e.g., hello.cpp).
Compile the code: In your IDE, there's usually a "Build" or "Compile" button. If using the command line, you'd type something like g++ hello.cpp -o hello and press Enter. This creates an executable file (e.g., hello or hello.exe).
Run the executable: In your IDE, there's often a "Run" button. From the command line, you'd type ./hello (on macOS/Linux) or just hello (on Windows) and press Enter.
If everything works correctly, you should see "Hello, World!" printed on your screen! Congratulations, you've run your first C++ program!
2. The Basics
2.1 Variables
Imagine variables as containers or boxes where you can store information. Each variable has a name and holds a value.
- Example: Let's say you want to store someone's age. You can create a variable named age.
int age; // Declare a variable named 'age' that will hold an integer (whole number)
age = 30; // Assign the value 30 to the variable 'age'
std::cout << "Age is: " << age << std::endl; // Output the value of 'age'
IGNORE_WHEN_COPYING_START
content_copy download
Use code with caution.C++
IGNORE_WHEN_COPYING_END
Declaration and Initialization:
Declaration: Telling the computer you want to create a variable and what type of data it will hold (e.g., int age;).
Initialization: Giving a variable its first value (e.g., age = 30;). You can do both at once: int age = 30;.
2.2 Data Types
Data types specify what kind of information a variable can hold. Here are some fundamental data types in C++:
int (integer): For whole numbers (e.g., -5, 0, 10, 1000).
float (floating-point): For numbers with decimal points (e.g., 3.14, -2.5, 0.001). Less precise than double.
double (double-precision floating-point): Also for decimal numbers, but with more precision than float. Generally preferred for decimal numbers unless memory is a very tight constraint.
char (character): For single characters (e.g., 'a', 'Z', '$', '3'). Characters are enclosed in single quotes.
bool (boolean): For true/false values. Represented as true or false.
std::string (string): For sequences of characters (text, words, sentences). Strings are enclosed in double quotes (like "Hello"). Important: To use std::string, you need to #include <string> at the top of your file.
Examples:
int numberOfStudents = 25;
double price = 99.99;
char initial = 'J';
bool isRaining = false;
std::string name = "Alice";
std::cout << "Number of students: " << numberOfStudents << std::endl;
std::cout << "Price: $" << price << std::endl;
std::cout << "Initial: " << initial << std::endl;
std::cout << "Is it raining? " << isRaining << std::endl; // bool values are often printed as 1 (true) or 0 (false)
std::cout << "Name: " << name << std::endl;
IGNORE_WHEN_COPYING_START
content_copy download
Use code with caution.C++
IGNORE_WHEN_COPYING_END
2.3 Operators
Operators are symbols that perform operations on values (operands).
Arithmetic Operators: For math calculations.
+ (addition)
- (subtraction)
* (multiplication)
/ (division)
% (modulo - gives the remainder of a division)
int sum = 10 + 5; // sum is 15
int difference = 20 - 8; // difference is 12
int product = 6 * 7; // product is 42
int quotient = 15 / 3; // quotient is 5
int remainder = 17 % 5; // remainder is 2 (because 17 = 3*5 + 2)
IGNORE_WHEN_COPYING_START
content_copy download
Use code with caution.C++
IGNORE_WHEN_COPYING_END
Assignment Operator: = Assigns a value to a variable. We've already seen this.
int x = 10; // Assigns 10 to x
IGNORE_WHEN_COPYING_START
content_copy download
Use code with caution.C++
IGNORE_WHEN_COPYING_END
Comparison Operators: Used to compare values. They return a bool (true or false).
\== (equal to)
!= (not equal to)
\> (greater than)
< (less than)
\>= (greater than or equal to)
<= (less than or equal to)
bool isEqual = (5 == 5); // isEqual is true
bool isNotEqual = (10 != 7); // isNotEqual is true
bool isGreater = (20 > 15); // isGreater is true
IGNORE_WHEN_COPYING_START
content_copy download
Use code with caution.C++
IGNORE_WHEN_COPYING_END
Logical Operators: Used to combine or modify boolean expressions.
&& (logical AND) - true if both operands are true.
|| (logical OR) - true if at least one operand is true.
! (logical NOT) - reverses the boolean value (true becomes false, false becomes true).
bool result1 = (true && true); // result1 is true
bool result2 = (true && false); // result2 is false
bool result3 = (true || false); // result3 is true
bool result4 = (!true); // result4 is false
IGNORE_WHEN_COPYING_START
content_copy download
Use code with caution.C++
IGNORE_WHEN_COPYING_END
2.4 Input/Output (cin and cout)
We've already used std::cout for outputting text. std::cin (pronounced "see-in") is used for getting input from the user (e.g., from the keyboard).
#include <iostream> #include <string> // Need this for std::string int main() { std::string userName; std::cout << "Please enter your name: "; std::cin >> userName; // Reads input from the user and stores it in userName std::cout << "Hello, " << userName << "!" << std::endl; return 0; }
IGNORE_WHEN_COPYING_START
content_copy download
Use code with caution.C++
IGNORE_WHEN_COPYING_END
Explanation:
- std::cin >> userName;: This line waits for the user to type something and press Enter. Whatever the user types is read and stored in the userName variable. The >> is the "extraction operator" - it extracts input from std::cin and puts it into the variable.
3. Controlling the Flow
3.1 Conditional Statements: if, else, else if
Conditional statements allow your program to make decisions and execute different blocks of code based on conditions.
if statement: Executes a block of code if a condition is true.
int age = 18; if (age >= 18) { std::cout << "You are an adult." << std::endl; }
IGNORE_WHEN_COPYING_START
content_copy download
Use code with caution.C++
IGNORE_WHEN_COPYING_END
if-else statement: Executes one block of code if the condition is true, and another block if it's false.
int temperature = 25; if (temperature > 30) { std::cout << "It's hot!" << std::endl; } else { std::cout << "It's not too hot." << std::endl; }
IGNORE_WHEN_COPYING_START
content_copy download
Use code with caution.C++
IGNORE_WHEN_COPYING_END
if-else if-else statement: For checking multiple conditions in sequence.
int score = 75; if (score >= 90) { std::cout << "Excellent!" << std::endl; } else if (score >= 80) { std::cout << "Very good!" << std::endl; } else if (score >= 70) { std::cout << "Good." << std::endl; } else { std::cout << "Needs improvement." << std::endl; }
IGNORE_WHEN_COPYING_START
content_copy download
Use code with caution.C++
IGNORE_WHEN_COPYING_END
3.2 Loops: for, while, do-while
Loops allow you to repeat a block of code multiple times.
for loop: Used when you know how many times you want to repeat something.
// Print numbers from 1 to 5 for (int i = 1; i <= 5; i++) { // i is often used as a loop counter (short for index) std::cout << i << " "; } std::cout << std::endl; // Newline after the loop // Explanation of for loop structure: // for (initialization; condition; increment/decrement) { // // Code to be repeated // } // 1. Initialization: 'int i = 1;' - Sets up a counter variable 'i' starting at 1. This happens only once at the beginning. // 2. Condition: 'i <= 5;' - Checked before each iteration. If true, the loop continues. If false, the loop stops. // 3. Code to be repeated: 'std::cout << i << " ";' - Executed in each iteration. // 4. Increment/Decrement: 'i++;' - Executed after each iteration. 'i++' increases 'i' by 1.
IGNORE_WHEN_COPYING_START
content_copy download
Use code with caution.C++
IGNORE_WHEN_COPYING_END
while loop: Repeats a block of code as long as a condition is true. Good when you don't know in advance how many iterations are needed.
int count = 0; while (count < 3) { std::cout << "Count is: " << count << std::endl; count++; // Increment count to eventually make the condition false }
IGNORE_WHEN_COPYING_START
content_copy download
Use code with caution.C++
IGNORE_WHEN_COPYING_END
do-while loop: Similar to while, but the code block is executed at least once before the condition is checked.
int number; do { std::cout << "Enter a positive number (or 0 to exit): "; std::cin >> number; if (number > 0) { std::cout << "You entered: " << number << std::endl; } } while (number != 0); // Loop continues as long as the number is NOT 0 std::cout << "Exiting." << std::endl;
IGNORE_WHEN_COPYING_START
content_copy download
Use code with caution.C++
IGNORE_WHEN_COPYING_END
4. Organizing Code: Functions
4.1 What are Functions?
Functions are blocks of code that perform a specific task. They help you organize your code, make it reusable, and easier to understand. Think of functions like mini-programs within your main program.
- Analogy: Imagine a recipe. Each step in the recipe can be thought of as a function. You follow the steps (call the functions) in order to bake a cake.
4.2 Defining a Function
// Function definition: // returnType functionName(parameter1Type parameter1Name, parameter2Type parameter2Name, ...) { // // Function body (code to be executed) // // ... // return returnValue; // If the function has a return type other than 'void' // } int add(int num1, int num2) { // Function named 'add' that takes two integers as input and returns an integer int sum = num1 + num2; return sum; // Returns the calculated sum } void greet(std::string name) { // Function named 'greet' that takes a string and doesn't return anything (void) std::cout << "Hello, " << name << "!" << std::endl; // No 'return' statement needed for void functions }
IGNORE_WHEN_COPYING_START
content_copy download
Use code with caution.C++
IGNORE_WHEN_COPYING_END
returnType: Specifies the type of data the function will return after it's done (e.g., int, double, std::string, void if it doesn't return anything).
functionName: The name you give to your function (e.g., add, greet). Choose descriptive names.
parameters (optional): Input values that you can pass to the function. They are listed in parentheses (), along with their data types. A function can have zero or more parameters.
Function body {}: The code that gets executed when the function is called.
return returnValue; (optional): If the function has a returnType other than void, you must use the return statement to send a value back to where the function was called.
4.3 Calling a Function
To use a function, you need to "call" it from your main function or another function.
```cpp #include #include
// Function definitions (add and greet from above go here) int add(int num1, int num2) { return num1 + num2; }
void greet(std::string name) { std::cout << "Hello, " << name << "!" << std::endl; }
int main() { int result = add(5, 3); // Calling the 'add' function with arguments 5 and 3. The returned value is stored in 'result'. std::cout << "Sum is: " << result << std::endl; // Output: Sum is: 8
greet("Bob"); // Calling the 'greet' function with the argument "Bob". It prints "Hello, Bob!" greet("Alice"); // Calling 'greet' again with "Alice". It prints "Hello, Alice!"
return 0; }
IGNORE\_WHEN\_COPYING\_START
content\_copy download
Use code [with caution](https://support.google.com/legal/answer/13505487).C++
IGNORE\_WHEN\_COPYING\_END
**Explanation:**
* int result = add(5, 3);: This line calls the add function.
* add(5, 3): We're "passing" the values 5 and 3 as *arguments* to the add function. Inside the add function, num1 will be 5, and num2 will be 3.
* The add function calculates 5 + 3 = 8 and returns the value 8.
* int result = ...: The returned value (8) is assigned to the variable result.
* greet("Bob");: This line calls the greet function and passes the string "Bob" as an argument. The greet function then prints the greeting.
**5\. Data Structures: Arrays and Strings**
* **5.1 Arrays**
Arrays are used to store a fixed-size sequential collection of elements of the *same data type*. Think of them as rows of boxes, all holding the same type of item.
```cpp
int numbers[5]; // Declare an array named 'numbers' that can hold 5 integers
numbers[0] = 10; // Assign value 10 to the first element (index 0)
numbers[1] = 20; // Assign value 20 to the second element (index 1)
numbers[2] = 30;
numbers[3] = 40;
numbers[4] = 50; // Up to index 4 (since it's an array of size 5, indices are 0, 1, 2, 3, 4)
// Accessing and printing array elements using a loop
for (int i = 0; i < 5; i++) {
std::cout << "Element at index " << i << ": " << numbers[i] << std::endl;
}
// You can also initialize an array when you declare it:
int scores[] = {85, 92, 78, 95, 88}; // Size is automatically determined (5 in this case)
IGNORE_WHEN_COPYING_START
content_copy download
Use code with caution.C++
IGNORE_WHEN_COPYING_END
Declaration: dataType arrayName[arraySize]; (e.g., int numbers[5];)
Indexing: Array elements are accessed using indices that start from 0. So, the first element is at index 0, the second at index 1, and so on.
Fixed Size: Once you declare an array with a certain size, you cannot easily change its size later.
5.2 Strings (revisited)
We've already briefly used std::string. Now let's look at them a bit more. std::string is actually a more advanced way to work with text in C++ compared to older C-style strings.
#include <iostream> #include <string> // Make sure to include this! int main() { std::string message = "Hello C++!"; // Creating a string variable std::string name; std::cout << message << std::endl; // Output the string std::cout << "Enter your name: "; std::cin >> name; // Read a word (until space) from input into 'name' std::cout << "Welcome, " << name << "!" << std::endl; // String operations: std::string firstName = "John"; std::string lastName = "Doe"; std::string fullName = firstName + " " + lastName; // String concatenation (joining strings) std::cout << "Full name: " << fullName << std::endl; // Output: Full name: John Doe int stringLength = fullName.length(); // Get the length of the string std::cout << "Length of full name: " << stringLength << std::endl; // Output: Length of full name: 8 char firstChar = fullName[0]; // Access individual characters using index (like arrays) std::cout << "First character: " << firstChar << std::endl; // Output: First character: J return 0; }
IGNORE_WHEN_COPYING_START
content_copy download
Use code with caution.C++
IGNORE_WHEN_COPYING_END
std::string is powerful: It handles memory management for you, so you don't have to worry about fixed sizes like with older C-style character arrays.
Operations: std::string provides many useful operations like:
Concatenation (+)
Length (.length())
Character access ([] - like arrays)
And much more (searching, substrings, etc., which we'll learn about later if needed).
6. Pointers: Understanding Memory (This can be a bit challenging initially)
6.1 What are Pointers?
Imagine each location in your computer's memory has an address (like a house address). A pointer is a variable that stores the memory address of another variable.
- Analogy: Think of a pointer as a signpost that points to a house (another variable's memory location).
6.2 Declaring Pointers
int number = 10; int *ptr; // Declare a pointer variable named 'ptr' that can point to an integer (the '*' is what makes it a pointer) ptr = &number; // Assign the memory address of 'number' to 'ptr'. The '&' (address-of operator) gets the memory address of 'number'.
IGNORE_WHEN_COPYING_START
content_copy download
Use code with caution.C++
IGNORE_WHEN_COPYING_END
int ptr;: Declares ptr as a pointer to an integer. The is crucial - it indicates that ptr is a pointer. The int means it's a pointer that can point to variables of type int.
&number: The & operator (address-of operator) gives you the memory address of the variable number.
ptr = &number;: Now, ptr holds the memory address of number. We say "ptr points to number."
6.3 Dereferencing Pointers
Once a pointer points to a variable, you can use the * operator again (but this time as a dereference operator) to access the value stored at the memory address pointed to by the pointer.
#include <iostream> int main() { int number = 25; int *ptr = &number; // ptr points to number std::cout << "Value of number: " << number << std::endl; // Output: Value of number: 25 std::cout << "Address of number: " << &number << std::endl; // Output: Address of number: (some memory address, like 0x7fff...) std::cout << "Value of ptr: " << ptr << std::endl; // Output: Value of ptr: (same memory address as &number) std::cout << "Value pointed to by ptr: " << *ptr << std::endl; // Output: Value pointed to by ptr: 25 (dereferencing) *ptr = 50; // Dereference ptr and change the value at that memory location. This changes the value of 'number' as well! std::cout << "Value of number after changing through ptr: " << number << std::endl; // Output: Value of number after changing through ptr: 50 return 0; }
IGNORE_WHEN_COPYING_START
content_copy download
Use code with caution.C++
IGNORE_WHEN_COPYING_END
- ptr: When is used before a pointer variable (like *ptr), it's the dereference operator. It means "go to the memory address stored in ptr and give me the value at that location."
Why are pointers useful? (Briefly)
Direct Memory Access: Pointers allow you to directly manipulate memory, which can be very powerful for certain tasks (like dynamic memory allocation, efficient data structures, and interacting with hardware).
Function Arguments (Pass by Reference): You can use pointers to modify variables outside of a function (we'll see this later).
Dynamic Memory Allocation: Pointers are essential for allocating memory during program execution (using new and delete), which is important when you don't know the size of data structures in advance.
Pointers are a more advanced topic. Don't worry if you don't grasp them completely right away. We'll revisit them in the context of more advanced topics. The key idea to remember for now is that pointers store memory addresses and allow you to work with memory directly.
7. Object-Oriented Programming (OOP) - Part 1: Classes and Objects
7.1 What is Object-Oriented Programming (OOP)?
OOP is a programming style that organizes code around "objects." Objects are like self-contained units that have both data (attributes) and functions (methods) that operate on that data. OOP makes code more modular, reusable, and easier to manage, especially for complex programs.
Analogy: Think of a "car" as an object.
Data (Attributes): Color, model, number of doors, current speed, etc.
Functions (Methods): Start engine, accelerate, brake, turn, etc.
7.2 Classes: Blueprints for Objects
A class is like a blueprint or template for creating objects. It defines the structure and behavior that objects of that class will have.
// Class definition: class Dog { // 'class' keyword followed by the class name (convention: capitalize class names) public: // 'public' access specifier (we'll learn about access specifiers later) std::string name; // Attribute (data) - a string to store the dog's name int age; // Attribute (data) - an integer to store the dog's age void bark() { // Method (function) - to make the dog bark std::cout << "Woof!" << std::endl; } void displayInfo() { // Method to display dog's information std::cout << "Name: " << name << ", Age: " << age << std::endl; } }; // Don't forget the semicolon after the class definition!
IGNORE_WHEN_COPYING_START
content_copy download
Use code with caution.C++
IGNORE_WHEN_COPYING_END
class Dog { ... };: Defines a class named Dog.
public:: This keyword makes the members (attributes and methods) that follow it accessible from outside the class (for now, we'll mostly use public).
std::string name; and int age;: These are attributes or member variables of the Dog class. Every Dog object will have a name and an age.
void bark() { ... } and void displayInfo() { ... }: These are methods or member functions of the Dog class. These are actions that a Dog object can perform.
7.3 Objects: Instances of a Class
An object is a specific instance of a class. It's like creating a real car based on the car blueprint.
```cpp #include #include
// (Class definition of 'Dog' from above goes here) class Dog { public: std::string name; int age;
void bark() { std::cout << "Woof!" << std::endl; }
void displayInfo() { std::cout << "Name: " << name << ", Age: " << age << std::endl; } };
int main() { Dog dog1; // Create an object of the 'Dog' class named 'dog1' (an instance of 'Dog') dog1.name = "Buddy"; // Set the 'name' attribute of 'dog1' to "Buddy" dog1.age = 3; // Set the 'age' attribute of 'dog1' to 3
Dog dog2; // Create another object of the 'Dog' class named 'dog2' dog2.name = "Lucy"; dog2.age = 5;
dog1.bark(); // Call the 'bark' method on 'dog1'. Output: Woof! dog1.displayInfo(); // Call 'displayInfo' on 'dog1'. Output: Name: Buddy, Age: 3
dog2.bark(); // Call 'bark' on 'dog2'. Output: Woof! dog2.displayInfo(); // Call 'displayInfo' on 'dog2'. Output: Name: Lucy, Age: 5
return 0; }
IGNORE\_WHEN\_COPYING\_START
content\_copy download
Use code [with caution](https://support.google.com/legal/answer/13505487).C++
IGNORE\_WHEN\_COPYING\_END
* Dog dog1; and Dog dog2;: These lines create *objects* named dog1 and dog2. They are both of type Dog.
* dog1.name = "Buddy";, dog1.age = 3;, etc.: We use the dot operator . to access the attributes and methods of an object. dog1.name refers to the name attribute of the dog1 object.
* dog1.bark(); and dog1.displayInfo();: We call the methods bark() and displayInfo() on the dog1 object.
**8\. Object-Oriented Programming (OOP) - Part 2: Inheritance and Polymorphism**
* **8.1 Inheritance: Reusing and Extending Classes**
Inheritance allows you to create a new class (derived class or child class) that *inherits* attributes and methods from an existing class (base class or parent class). It promotes code reuse and creates a hierarchy of classes.
* **Analogy:** Think of family inheritance. A child inherits traits from their parents. In OOP, a derived class inherits characteristics from its base class.
```cpp
#include <iostream>
#include <string>
// Base class (Parent class)
class Animal {
public:
std::string name;
Animal(std::string animalName) : name(animalName) {} // Constructor (we'll learn about constructors shortly)
void eat() {
std::cout << name << " is eating." << std::endl;
}
void sleep() {
std::cout << name << " is sleeping." << std::endl;
}
};
// Derived class (Child class) - inherits from Animal
class Dog : public Animal { // ': public Animal' indicates inheritance from 'Animal'
public:
Dog(std::string dogName) : Animal(dogName) {} // Constructor for Dog, calls Animal's constructor
void bark() {
std::cout << name << " is barking: Woof!" << std::endl;
}
};
// Another derived class
class Cat : public Animal {
public:
Cat(std::string catName) : Animal(catName) {}
void meow() {
std::cout << name << " is meowing: Meow!" << std::endl;
}
};
int main() {
Dog myDog("Buddy"); // Create a Dog object
Cat myCat("Whiskers"); // Create a Cat object
myDog.eat(); // Dog inherits 'eat' from Animal. Output: Buddy is eating.
myDog.sleep(); // Dog inherits 'sleep' from Animal. Output: Buddy is sleeping.
myDog.bark(); // Dog has its own 'bark' method. Output: Buddy is barking: Woof!
myCat.eat(); // Cat inherits 'eat' from Animal. Output: Whiskers is eating.
myCat.sleep(); // Cat inherits 'sleep' from Animal. Output: Whiskers is sleeping.
myCat.meow(); // Cat has its own 'meow' method. Output: Whiskers is meowing: Meow!
return 0;
}
IGNORE_WHEN_COPYING_START
content_copy download
Use code with caution.C++
IGNORE_WHEN_COPYING_END
class Dog : public Animal: This declares Dog as a class that inherits publicly from the Animal class. Dog becomes a specialized type of Animal.
Dog inherits name, eat(), and sleep() from Animal. It also has its own method bark().
Similarly, Cat inherits from Animal and adds its own method meow().
8.2 Polymorphism: "Many Forms"
Polymorphism means "many forms." In OOP, it allows objects of different classes to be treated as objects of a common base class. It enables you to write code that can work with objects of different types in a uniform way.
- Analogy: Think of a "vehicle." Cars, bikes, trucks are all vehicles. You can have a function that works with any "vehicle" without needing to know if it's specifically a car or a bike.
Example (Illustrative, a bit more advanced):
#include <iostream>
#include <string>
#include <vector> // For using std::vector (dynamic array)
// (Animal, Dog, Cat classes from inheritance example go here)
class Animal {
public:
std::string name;
Animal(std::string animalName) : name(animalName) {}
virtual void makeSound() { // 'virtual' keyword is important for polymorphism
std::cout << name << " makes a generic sound." << std::endl;
}
void eat() { std::cout << name << " is eating." << std::endl; }
void sleep() { std::cout << name << " is sleeping." << std::endl; }
};
class Dog : public Animal {
public:
Dog(std::string dogName) : Animal(dogName) {}
void makeSound() override { // 'override' keyword is good practice, indicates we're overriding a virtual function
std::cout << name << " barks: Woof!" << std::endl;
}
void bark() { std::cout << name << " is barking: Woof!" << std::endl; }
};
class Cat : public Animal {
public:
Cat(std::string catName) : Animal(catName) {}
void makeSound() override {
std::cout << name << " meows: Meow!" << std::endl;
}
void meow() { std::cout << name << " is meowing: Meow!" << std::endl; }
};
int main() {
std::vector<Animal*> animals; // Vector to hold pointers to Animal objects (polymorphism in action)
animals.push_back(new Dog("Buddy")); // Add a Dog object (pointed to by an Animal pointer)
animals.push_back(new Cat("Whiskers")); // Add a Cat object (pointed to by an Animal pointer)
animals.push_back(new Animal("Generic Animal")); // Add a generic Animal object
for (Animal* animalPtr : animals) { // Loop through the vector of Animal pointers
animalPtr->makeSound(); // Call 'makeSound()' on each animal object. Polymorphism!
animalPtr->eat(); // Call 'eat()'
animalPtr->sleep(); // Call 'sleep()'
std::cout << "---" << std::endl;
}
// Clean up dynamically allocated memory (important when using 'new')
for (Animal* animalPtr : animals) {
delete animalPtr;
}
return 0;
}
IGNORE_WHEN_COPYING_START
content_copy download
Use code with caution.C++
IGNORE_WHEN_COPYING_END
virtual void makeSound() in Animal: The virtual keyword makes makeSound() a virtual function. This is crucial for polymorphism. It means that when you call makeSound() through an Animal pointer, C++ will look at the actual type of the object being pointed to (Dog, Cat, or Animal) and call the correct makeSound() method for that specific type.
void makeSound() override in Dog and Cat: The override keyword (optional but good practice) indicates that these makeSound() methods are overriding the virtual makeSound() method from the base class Animal.
std::vector<Animal*> animals;: We create a std::vector to hold pointers to Animal objects. Because of polymorphism, we can store pointers to Dog, Cat, and Animal objects in this vector. This is a key aspect of polymorphism - treating objects of different derived classes uniformly through base class pointers.
animalPtr->makeSound();: In the loop, when we call animalPtr->makeSound(), polymorphism comes into play. Even though animalPtr is of type Animal*, C++ correctly calls the makeSound() method of the actual object it's pointing to (Dog's makeSound(), Cat's makeSound(), or Animal's makeSound()).
Important OOP Concepts we've touched upon:
Classes and Objects: Blueprints and instances.
Encapsulation (Implicit): Bundling data (attributes) and methods together within a class. (We'll learn more about access control like private, protected, public later).
Inheritance: Creating class hierarchies and reusing code.
Polymorphism: Treating objects of different types uniformly through base class interfaces.
9. Working with Files
9.1 File Input and Output
C++ allows you to read data from files and write data to files. This is essential for storing and retrieving information persistently.
- Header File: You need to #include <fstream> to work with files. fstream stands for "file stream."
9.2 Writing to a File (Output File Stream - ofstream)
#include <iostream> #include <fstream> #include <string> int main() { std::ofstream outputFile("my_data.txt"); // Create an output file stream object and open "my_data.txt" for writing if (outputFile.is_open()) { // Check if the file was opened successfully outputFile << "Hello, file!" << std::endl; // Write a line to the file outputFile << "This is some data." << std::endl; int number = 123; outputFile << "Number: " << number << std::endl; outputFile.close(); // Close the file when you're done writing std::cout << "Data written to file successfully." << std::endl; } else { std::cerr << "Error opening file for writing." << std::endl; // 'std::cerr' is for error output } return 0; }
IGNORE_WHEN_COPYING_START
content_copy download
Use code with caution.C++
IGNORE_WHEN_COPYING_END
std::ofstream outputFile("my_data.txt");:
std::ofstream: Declares outputFile as an output file stream object.
("my_data.txt"): Tries to open a file named "my_data.txt" in write mode. If the file doesn't exist, it will be created. If it exists, its contents will be overwritten (by default).
outputFile.is_open(): Checks if the file was successfully opened. It's important to check for errors.
outputFile << ...: Use the insertion operator << to write data to the file stream, just like you use std::cout to write to the console.
outputFile.close(): Crucial! Close the file when you are finished writing to it. This releases system resources and ensures data is properly saved.
9.3 Reading from a File (Input File Stream - ifstream)
#include <iostream> #include <fstream> #include <string> int main() { std::ifstream inputFile("my_data.txt"); // Create an input file stream object and open "my_data.txt" for reading if (inputFile.is_open()) { std::string line; while (std::getline(inputFile, line)) { // Read line by line until the end of the file std::cout << "Line read from file: " << line << std::endl; } inputFile.close(); // Close the file after reading } else { std::cerr << "Error opening file for reading." << std::endl; } return 0; }
IGNORE_WHEN_COPYING_START
content_copy download
Use code with caution.C++
IGNORE_WHEN_COPYING_END
std::ifstream inputFile("my_data.txt");:
std::ifstream: Declares inputFile as an input file stream object.
("my_data.txt"): Opens "my_data.txt" in read mode. The file must exist to be opened for reading.
std::getline(inputFile, line): Reads a whole line from the input file stream inputFile and stores it in the line string variable. It reads until a newline character or end-of-file is encountered.
while (std::getline(...)): The while loop continues as long as std::getline successfully reads a line from the file. When it reaches the end of the file, std::getline will return false, and the loop will terminate.
10. Templates: Generic Programming
10.1 What are Templates?
Templates allow you to write code that can work with different data types without having to write separate code for each type. They are a way to achieve generic programming.
- Analogy: Imagine you want to write a function to find the maximum of two numbers. You could write one function for integers, another for floats, another for doubles, etc. Templates let you write one function that works for any data type that supports comparison.
10.2 Function Templates
#include <iostream> // Function template for finding the maximum of two values template <typename T> // 'template <typename T>' declares a template, 'T' is a placeholder for a data type T maximum(T a, T b) { // 'T' is used as the data type for parameters and return type return (a > b) ? a : b; // Ternary operator: (condition) ? value_if_true : value_if_false } int main() { int intMax = maximum(5, 10); // Call maximum with integers double doubleMax = maximum(3.14, 2.71); // Call maximum with doubles char charMax = maximum('a', 'z'); // Call maximum with characters std::cout << "Max of 5 and 10: " << intMax << std::endl; // Output: Max of 5 and 10: 10 std::cout << "Max of 3.14 and 2.71: " << doubleMax << std::endl; // Output: Max of 3.14 and 2.71: 3.14 std::cout << "Max of 'a' and 'z': " << charMax << std::endl; // Output: Max of 'a' and 'z': z return 0; }
IGNORE_WHEN_COPYING_START
content_copy download
Use code with caution.C++
IGNORE_WHEN_COPYING_END
template <typename T>: This line declares that we are defining a template. typename T means "T is a type parameter." You can use any name instead of T (like DataType, ValueType, etc.).
T maximum(T a, T b): Inside the function definition, T acts as a placeholder for a data type. When you call maximum(5, 10), the compiler figures out that T should be int in this case. When you call maximum(3.14, 2.71), it figures out T should be double.
The maximum function works correctly for integers, doubles, characters, or any other data type that supports the > (greater than) operator.
10.3 Class Templates
You can also create class templates. They are useful for creating generic data structures.
#include <iostream> #include <vector> // Just for demonstration (std::vector is itself a template!) // Class template for a simple Pair that can hold two values of any type template <typename T1, typename T2> // Template with two type parameters, T1 and T2 class Pair { public: T1 first; T2 second; Pair(T1 f, T2 s) : first(f), second(s) {} // Constructor void display() { std::cout << "First: " << first << ", Second: " << second << std::endl; } }; int main() { Pair<int, double> pair1(10, 3.14); // Create a Pair object that holds an int and a double pair1.display(); // Output: First: 10, Second: 3.14 Pair<std::string, int> pair2("Age", 25); // Pair of string and int pair2.display(); // Output: First: Age, Second: 25 // std::vector is an example of a class template! std::vector<int> intVector; // Vector of integers std::vector<std::string> stringVector; // Vector of strings return 0; }
IGNORE_WHEN_COPYING_START
content_copy download
Use code with caution.C++
IGNORE_WHEN_COPYING_END
template <typename T1, typename T2> class Pair { ... };: Defines a class template named Pair with two type parameters, T1 and T2.
Pair<int, double> pair1(10, 3.14);: When you create an object of a class template, you need to specify the actual types for the type parameters in angle brackets <>. Here, we're creating a Pair where T1 is int and T2 is double.
Class templates are used extensively in the Standard Template Library (STL). For example, std::vector, std::map, std::list are all class templates.
11. Exception Handling: Dealing with Errors
11.1 What are Exceptions?
Exceptions are runtime errors that disrupt the normal flow of a program. Examples: trying to divide by zero, accessing an array out of bounds, file not found, etc. Exception handling is a mechanism to gracefully deal with these errors, preventing your program from crashing and allowing it to recover or terminate in a controlled way.
11.2 try, catch, throw
C++ uses try, catch, and throw keywords for exception handling.
#include <iostream> #include <stdexcept> // For standard exception classes like std::runtime_error int divide(int numerator, int denominator) { if (denominator == 0) { throw std::runtime_error("Division by zero!"); // 'throw' an exception if denominator is 0 } return numerator / denominator; } int main() { try { // 'try' block - code that might throw an exception is placed here int result = divide(10, 2); std::cout << "Result of division: " << result << std::endl; result = divide(5, 0); // This will cause an exception to be thrown std::cout << "This line will not be reached if division by zero occurs." << std::endl; // Won't be executed } catch (const std::runtime_error& error) { // 'catch' block - catches exceptions of a specific type (or base type) std::cerr << "Runtime error occurred: " << error.what() << std::endl; // 'error.what()' gives a description of the exception } catch (...) { // Catch-all block (optional, catches any exception not caught by previous catch blocks) std::cerr << "An unexpected error occurred." << std::endl; } std::cout << "Program continues after exception handling (if possible)." << std::endl; // Program can continue here return 0; }
IGNORE_WHEN_COPYING_START
content_copy download
Use code with caution.C++
IGNORE_WHEN_COPYING_END
try { ... } block: You enclose the code that might potentially throw an exception within a try block.
throw std::runtime_error("Division by zero!");: When an error condition is detected (denominator is 0), you use the throw keyword to "throw" an exception. std::runtime_error is a standard exception class in C++. You can create your own exception classes as well.
catch (const std::runtime_error& error) { ... }: Immediately after the try block, you have one or more catch blocks. Each catch block is designed to handle exceptions of a specific type.
catch (const std::runtime_error& error): This catch block will handle exceptions of type std::runtime_error (and derived types). error is a variable that will hold the exception object that was thrown.
error.what(): Most exception classes have a what() method that returns a descriptive string about the error.
catch (...) { ... } (catch-all): The catch (...) is a catch-all block. It will catch any exception type that hasn't been caught by previous catch blocks. Use it cautiously, as it can hide specific error information.
Exception flow: When an exception is thrown inside a try block:
The rest of the code in the try block is skipped.
The program looks for a matching catch block to handle the exception.
If a matching catch block is found, its code is executed.
If no matching catch block is found in the current function, the exception propagates up the call stack until a suitable handler is found, or the program terminates (if no handler is found at all).
12. Standard Template Library (STL): Powerful Tools
12.1 What is the STL?
The Standard Template Library (STL) is a collection of powerful and efficient C++ templates that provide ready-made:
Containers: Data structures to store collections of objects (like std::vector, std::list, std::map, std::set).
Algorithms: Functions to perform common operations on containers (like sorting, searching, finding, transforming).
Iterators: Objects that allow you to traverse through containers in a generic way.
The STL is a cornerstone of modern C++ programming. It saves you a lot of time and effort by providing well-tested and optimized components.
12.2 Containers (Examples)
std::vector (Dynamic Array): A resizable array. Good for sequential access and when you need to add/remove elements at the end.
#include <iostream> #include <vector> int main() { std::vector<int> numbers; // Create an empty vector of integers numbers.push_back(10); // Add elements to the end numbers.push_back(20); numbers.push_back(30); std::cout << "Vector elements: "; for (size_t i = 0; i < numbers.size(); i++) { // Iterate through the vector using index std::cout << numbers[i] << " "; } std::cout << std::endl; // Output: Vector elements: 10 20 30 numbers.pop_back(); // Remove the last element std::cout << "Vector elements after pop_back: "; for (int num : numbers) { // Range-based for loop (cleaner way to iterate) std::cout << num << " "; } std::cout << std::endl; // Output: Vector elements after pop_back: 10 20 return 0; }
IGNORE_WHEN_COPYING_START
content_copy download
Use code with caution.C++
IGNORE_WHEN_COPYING_END
std::list (Doubly Linked List): Efficient for inserting/deleting elements anywhere in the list, but slower for random access compared to std::vector.
#include <iostream> #include <list> int main() { std::list<std::string> names; names.push_back("Alice"); names.push_front("Bob"); // Add to the front std::cout << "List elements: "; for (const std::string& name : names) { // Range-based for loop std::cout << name << " "; } std::cout << std::endl; // Output: List elements: Bob Alice names.pop_front(); // Remove from the front std::cout << "List elements after pop_front: "; for (auto it = names.begin(); it != names.end(); ++it) { // Iterator-based loop (more traditional way) std::cout << *it << " "; // Dereference iterator to get the element } std::cout << std::endl; // Output: List elements after pop_front: Alice return 0; }
IGNORE_WHEN_COPYING_START
content_copy download
Use code with caution.C++
IGNORE_WHEN_COPYING_END
std::map (Associative Array/Dictionary): Stores key-value pairs, where keys are unique and sorted (usually). Efficient for lookups by key.
#include <iostream> #include <map> #include <string> int main() { std::map<std::string, int> ageMap; // Map where keys are strings (names) and values are integers (ages) ageMap["Alice"] = 30; ageMap["Bob"] = 25; ageMap["Charlie"] = 35; std::cout << "Ages from map: " << std::endl; for (const auto& pair : ageMap) { // Range-based for loop for maps (pairs of key and value) std::cout << pair.first << ": " << pair.second << std::endl; // pair.first is the key, pair.second is the value } // Output: // Ages from map: // Alice: 30 // Bob: 25 // Charlie: 35 std::cout << "Age of Bob: " << ageMap["Bob"] << std::endl; // Access value by key using [] operator if (ageMap.count("David")) { // Check if a key exists in the map std::cout << "David's age is in the map." << std::endl; } else { std::cout << "David's age is not in the map." << std::endl; // Output: David's age is not in the map. } return 0; }
IGNORE_WHEN_COPYING_START
content_copy download
Use code with caution.C++
IGNORE_WHEN_COPYING_END
12.3 Algorithms (Examples)
STL algorithms are functions that operate on ranges of elements (often within containers). They are generic and work with different container types using iterators.
std::sort: Sorts elements in a range.
#include <iostream> #include <vector> #include <algorithm> // For std::sort int main() { std::vector<int> numbers = {5, 2, 8, 1, 9, 4}; std::cout << "Vector before sorting: "; for (int num : numbers) { std::cout << num << " "; } std::cout << std::endl; // Output: Vector before sorting: 5 2 8 1 9 4 std::sort(numbers.begin(), numbers.end()); // Sort the entire vector in ascending order std::cout << "Vector after sorting: "; for (int num : numbers) { std::cout << num << " "; } std::cout << std::endl; // Output: Vector after sorting: 1 2 4 5 8 9 return 0; }
IGNORE_WHEN_COPYING_START
content_copy download
Use code with caution.C++
IGNORE_WHEN_COPYING_END
std::find: Searches for a value in a range.
#include <iostream> #include <vector> #include <algorithm> // For std::find int main() { std::vector<int> numbers = {10, 20, 30, 40, 50}; auto it = std::find(numbers.begin(), numbers.end(), 30); // Search for 30 in the vector if (it != numbers.end()) { // If 'it' is not equal to 'numbers.end()', it means 30 was found std::cout << "Found 30 at position: " << std::distance(numbers.begin(), it) << std::endl; // std::distance gets the index } else { std::cout << "30 not found in the vector." << std::endl; } // Output: Found 30 at position: 2 it = std::find(numbers.begin(), numbers.end(), 100); // Search for 100 if (it != numbers.end()) { std::cout << "Found 100." << std::endl; } else { std::cout << "100 not found in the vector." << std::endl; // Output: 100 not found in the vector. } return 0; }
IGNORE_WHEN_COPYING_START
content_copy download
Use code with caution.C++
IGNORE_WHEN_COPYING_END
std::for_each: Applies a function to each element in a range.
#include <iostream> #include <vector> #include <algorithm> // For std::for_each void printNumber(int num) { std::cout << num * 2 << " "; // Example: print each number multiplied by 2 } int main() { std::vector<int> numbers = {1, 2, 3, 4, 5}; std::cout << "Doubled numbers: "; std::for_each(numbers.begin(), numbers.end(), printNumber); // Apply 'printNumber' function to each element std::cout << std::endl; // Output: Doubled numbers: 2 4 6 8 10 return 0; }
IGNORE_WHEN_COPYING_START
content_copy download
Use code with caution.C++
IGNORE_WHEN_COPYING_END
The STL is vast. We've only scratched the surface. As you learn more C++, you'll discover more and more useful containers and algorithms in the STL. Mastering the STL is a key to becoming a proficient C++ programmer.
13. Modern C++ (Brief Look)
C++ has evolved significantly over the years. "Modern C++" usually refers to features introduced in C++11, C++14, C++17, C++20, and beyond. These features make C++ more expressive, safer, and often more efficient.
Auto Type Deduction (auto keyword): Let the compiler deduce the type of a variable. Makes code cleaner in many cases.
auto x = 10; // x is deduced as int auto y = 3.14; // y is deduced as double auto name = "Alice"; // name is deduced as const char* (C-style string, but often works with std::string too) auto vec = std::vector<int>{1, 2, 3}; // vec is deduced as std::vector<int>
IGNORE_WHEN_COPYING_START
content_copy download
Use code with caution.C++
IGNORE_WHEN_COPYING_END
Range-based for loops: Simplified loops for iterating over containers. We've seen examples of these already.
std::vector<int> nums = {1, 2, 3, 4, 5}; for (int num : nums) { // Cleaner iteration std::cout << num << " "; }
IGNORE_WHEN_COPYING_START
content_copy download
Use code with caution.C++
IGNORE_WHEN_COPYING_END
Lambda Expressions (Anonymous Functions): Create small, inline functions without needing to define them separately. Very useful with STL algorithms.
#include <iostream> #include <vector> #include <algorithm> int main() { std::vector<int> numbers = {1, 2, 3, 4, 5}; std::cout << "Squared numbers: "; std::for_each(numbers.begin(), numbers.end(), [](int num) { // Lambda expression as the function std::cout << num * num << " "; }); std::cout << std::endl; // Output: Squared numbers: 1 4 9 16 25 return 0; }
IGNORE_WHEN_COPYING_START
content_copy download
Use code with caution.C++
IGNORE_WHEN_COPYING_END
Smart Pointers (e.g., std::unique_ptr, std::shared_ptr): Help manage dynamically allocated memory automatically, reducing memory leaks. A more advanced topic, but very important for writing safer C++ code.
Move Semantics: Optimize copying of objects, especially large objects, making code more efficient.
Concurrency and Parallelism Features: Support for writing multi-threaded and parallel programs.
Modern C++ is a rich and evolving language. As you become more comfortable with the basics, exploring these newer features will significantly enhance your C++ skills.
14. Where to Go Next
Practice, Practice, Practice: The best way to learn programming is by writing code. Solve coding problems on websites like:
LeetCode: (leetcode.com) - Good for algorithm and data structure practice.
HackerRank: (hackerrank.com) - Covers various programming domains, including C++.
Codecademy: (codecademy.com) - Interactive courses, including C++.
Exercism: (exercism.org) - Practice exercises with community feedback.
Build Projects: Come up with small projects to apply what you've learned. Examples:
A simple calculator.
A text-based game (like Hangman or Tic-Tac-Toe).
A program to manage a to-do list.
A program to analyze text files.
Read Books and Online Resources:
"Programming: Principles and Practice Using C++" by Bjarne Stroustrup: A good book by the creator of C++.
"Effective C++" and "More Effective C++" by Scott Meyers: Excellent books for intermediate to advanced C++ programmers, focusing on best practices.
cppreference.com: (en.cppreference.com) - Comprehensive online C++ documentation.
LearnCpp.com: (www.learncpp.com) - Free online C++ tutorial (quite detailed).
Join C++ Communities:
Stack Overflow: (stackoverflow.com) - Ask and answer programming questions.
Reddit r/cpp, r/learncpp: Online communities for C++ developers.
Learning C++ is a journey, not a sprint. Be patient, persistent, and enjoy the process! Start with the basics, gradually explore more advanced topics, and most importantly, keep coding! You've got a solid foundation to begin with now. Good luck!
Subscribe to my newsletter
Read articles from Singaraju Saiteja directly inside your inbox. Subscribe to the newsletter, and don't miss out.
Written by

Singaraju Saiteja
Singaraju Saiteja
I am an aspiring mobile developer, with current skill being in flutter.