C++: a quick overview
See the dedicated pages for details.
Basics of a Class
A class in C++ is a blueprint for creating objects. It encapsulates data and functions that operate on the data. Syntax:
class ClassName {
// Access specifiers
// Data members
// Member functions
};
Class Constructor
A constructor initializes objects of a class. It has the same name as the class:
ClassName() {
// Initialization code
}
Class Constructor Initializer List
Use an initializer list to initialize class members before the constructor body executes:
ClassName() : member1(value1), member2(value2) {
// Constructor body
}
Class Destructor and Virtual Destructor
A destructor cleans up resources. Use a virtual destructor in base classes to ensure derived class destructors are called:
virtual ~ClassName() {
// Cleanup code
}
Class Assignment Operator
Overload the assignment operator to assign values from one object to another:
ClassName& operator=(const ClassName& other) {
// Assignment code
return *this;
}
Class Access Specifiers
Access specifiers define the scope of class members:
- public: Accessible from outside the class.
- protected: Accessible within the class and derived classes.
- private: Accessible only within the class.
Class Friendship
A friend function or class can access private and protected members of another class:
class ClassName {
friend void FriendFunction();
};
Class Relationship
- Inheritance: Establishes an "is-a" relationship.
- Composition: Establishes a "has-a" relationship.
Inheritance
Derive a class from a base class:
class Derived : public Base {
// Additional members
};
Polymorphism
Achieve polymorphism using virtual functions:
virtual void FunctionName() {
// Code
}
Const Member Function
A const member function does not modify the object:
void FunctionName() const {
// Function code
}
Smart Pointers
- shared_ptr: Manages shared ownership of an object.
- unique_ptr: Manages exclusive ownership of an object.
- weak_ptr: Observes an object managed by shared_ptr.
Templates
Function Template: Define functions with generic types.
template <typename T>
T FunctionName(T param) {
// Code
}
Class Template: Define classes with generic types.
template <typename T>
class ClassName {
T member;
};
Variable Template: Define variables with generic types.
template <typename T>
constexpr T pi = T(3.1415926535897932385);
Template Specification
Provide specific implementation for certain types:
template <>
class ClassName {
// Specialized code for int
};
Type Casting
- C-Style Casting: (type)value
- Static Casting: static_cast<type>(value)
- Dynamic Casting: dynamic_cast<type*>(ptr)
- Const Casting: const_cast<type>(value)
- Reinterpret Casting: reinterpret_cast<type>(value)
Pass by Value, Pointer, or Reference
- Pass by Value: Function gets a copy of the argument.
- Pass by Pointer: Function gets the address of the argument.
- Pass by Reference: Function operates directly on the argument.