Logo Questions Linux Laravel Mysql Ubuntu Git Menu
 

Creating an instance of a class with ()

I have a question : what constructor is used when you create an instance of a class with ClassName instance() in C++ ?

Example:

#include <iostream>

using namespace std;

class Test
{
private:
    Test()
    {
        cout << "AAA" << endl;
    }

public:
    Test(string str)
    {
        cout << "String = " << str << endl;
    }
};

int main()
{
    Test instance_1(); // instance_1 is created... using which constructor ?
    Test instance_2("hello !"); // Ok

    return 0;
}

Thanks !

like image 542
Congelli501 Avatar asked Jul 21 '11 00:07

Congelli501


2 Answers

Tricky! You would expect compilation to fail as default constructor is private. However, it compiles and nothing is created. The reason?

Test instance_1();

... is just a function declaration! (Which returns Test and takes nothing.)

like image 162
tomasz Avatar answered Oct 19 '22 14:10

tomasz


The statement Test instance_1(); doesn't call a constructor at all, because it's not defining a variable - instead, it's declaring a function called instance_1 that returns an object of type Test. To create an instance using the 0-argument constructor, you'd use Test instance_1;.

like image 26
Hugh Avatar answered Oct 19 '22 15:10

Hugh