Logo Questions Linux Laravel Mysql Ubuntu Git Menu
 

Instantiate class with or without parentheses? [duplicate]

#include <iostream>
using namespace std;

class CTest 
{
    int x;

  public:
    CTest()
    { 
       x = 3;
       cout << "A"; 
    }
};

int main () {
  CTest t1;
  CTest t2();

  return 0;
}

CTest t1 prints "A" of course.

But it seems like nothing happens at t2(), but the code runs well.

So do we use those parentheses without argument? Or why can we use it this way?

like image 711
balinta Avatar asked Feb 28 '12 21:02

balinta


1 Answers

This is a quirk of C++ syntax. The line

CTest t1;

declares a local variable of type CTest named t1. It implicitly calls the default constructor. On the other hand, the line

CTest t2();

Is not a variable declaration, but a local prototype of a function called t2 that takes no arguments and returns a CTest. The reason that the constructor isn't called for t2 is because there's no object being created here.

If you want to declare a local variable of object type and use the default constructor, you should omit the parentheses.

In C++11, you can alternatively say

CTest t2{};

Which does actually call the default constructor.

Hope this helps!

like image 57
templatetypedef Avatar answered Sep 22 '22 06:09

templatetypedef