C++ Overloaded Constructor
In C++, you can define multiple constructors for a class. When you have multiple constructors, each with different parameters, this is called constructor overloading. Overloading allows you to create objects in different ways, depending on the arguments you provide.
Here's an example of a class with two overloaded constructors:
class MyClass { public: int myInt; MyClass() { myInt = 0; } MyClass(int value) { myInt = value; } };
In this example, we've defined a class called MyClass
with a public member variable myInt
and two constructors. The first constructor is the default constructor, which initializes the value of myInt
to 0. The second constructor takes an integer argument and initializes the value of myInt
to the value of the argument.
You can create an object of the MyClass
class using either of the constructors like this:
MyClass obj1; // Uses the default constructor MyClass obj2(42); // Uses the constructor that takes an integer argument
In the first example, we've created an object of the MyClass
class using the default constructor. The value of myInt
in the obj1
object is initialized to 0.
In the second example, we've created an object of the MyClass
class using the constructor that takes an integer argument. The value of myInt
in the obj2
object is initialized to 42.
When you create an object using an overloaded constructor, the compiler will choose the constructor that matches the arguments you provide. If you provide no arguments, the default constructor will be called. If you provide arguments that match the parameters of one of the other constructors, that constructor will be called.
You can define as many overloaded constructors as you need, with different numbers and types of parameters. This allows you to create objects in many different ways, depending on the needs of your program.