Which constructor is called first?

4.3k Views Asked by At

I have looked at similar queries but I seem to be getting myself lost. I have a simple example, so please consider the following:

#include <iostream>
using namespace std;

class Animal
{
  public:
    Animal() {cout << "Animal" << endl;}
};

class Cat : public Animal
{
  public:
    Cat() {cout << "Cat" << endl;};
};

int main()
{
  Cat c;
  return 0;
}

When the program runs, it displays

Animal
Cat

My question is now this: Which constructor is actually called first. Is Cat() called and then Cat() calls Animal() before it executes its contents OR does the compiler/program look at Cat(), see that it's an Animal() and calls Animal() first then Cat()?

3

There are 3 best solutions below

0
On

When the Cat constructor is called, two things happens, first the initialization list is executed and then the construction function. Implicitly you are doing this:

class Cat : public Animal
{
  public:
    Cat() 
    : Animal()
    {
        cout << "Cat" << endl;
    };
};

Then the Animal constructor is executed before the Cat implementation of the Cat constructor, but after it initialization list. For example, if the Cat and Animal classes have some members and you want to initialize them in the constructor, you could see this more easily:

class Animal
{
  private:
    bool haveHair;
  public:
    Animal(bool hair)
    :    haveHair(hair)
    {
        cout << "Animal" << endl;
    }
};

class Cat : public Animal
{
  public:
    Cat() 
    : Animal(true)
    {
        cout << "Cat" << endl;
    }
};
1
On

The Animal constructor is executed before the Cat constructor body as part of the initialization of the Cat object when the Cat constructor is called. It's the same as if you had done this explicitly in an initialization list:

Cat () : Animal() {
     cout << "Cat" << endl;
}

If you want to pass arguments to a base class constructor, then you must do it explicitly as above, otherwise the default constructor (one with no parameters) is called for you. In either case, the base class constructor completes before initialization of the derived object continues.

1
On

First Animal() and then Cat() is called.

First the Animal class allocates memory and then the Cat. Maybe you want to access resources from Animal in the Cat constructor.