The 'this' pointer in the initialization list of the constructor

3.5k Views Asked by At

I guess I am unable to understand why this is not working. I always thought that I can use 'this' pointer inside the constructor, but I never knew that I cannot use 'this' in the initialization list.

#include <iostream>

class A {
    public:
        int a;
        int b;
        A(int a = 0, int b = 0) : this->a(a), this->b(b) { }
        void print() {
        std::cout << a << ", " << b << std::endl;
    }
};

int main() {
    A a;
    a.print();
}

I am interested to know the details related to it.

2

There are 2 best solutions below

1
On

this->a is grammatically invalid because it is a member-access expression, but only an identifier is allowed there (or a type specifier, for base classes).

From the C++ standard, [class.base.init],

mem-initializer-id:
      class-or-decltype
      identifier

3
On

Simply because there's no need, an initializer list can already disambiguate because its syntax is strict:

member(value)

So you can just change it to:

A(int a = 0, int b = 0) : a(a), b(b) {}

this->member is only really used when the programmer needs to help the compiler to disambiguate, for example, if your constructor would've looked like:

A(int a = 0, int b = 0) 
{ 
  // set local 'a' to itself
  a = a; 
}

Your A::a wouldn't have been initialized now, oops!

You would need this to help the compiler:

A(int a = 0, int b = 0) 
{ 
  this->a = a; // set A::a to local a.
}