Welcome to ShenZhenJia Knowledge Sharing Community for programmer and developer-Open, Learning and Share
menu search
person
Welcome To Ask or Share your Answers For Others

Categories

In the following code the constructor is called only once (i.e.) when Car() executes. Why is it not called the second time on the statement Car o1(Car())?

#include <stdio.h>
#include <iostream>

class Car
{
public :
   Car()
   {
      std::cout << "Constructor" << '
';
   }
   Car(Car &obj)
   {
      std::cout << "Copy constructor" << '
';
   }
};

int main()
{
   Car();
   Car o1(Car()); // not calling any constructor
   return 0;
}
See Question&Answers more detail:os

与恶龙缠斗过久,自身亦成为恶龙;凝视深渊过久,深渊将回以凝视…
thumb_up_alt 0 like thumb_down_alt 0 dislike
623 views
Welcome To Ask or Share your Answers For Others

1 Answer

Car o1(Car());

This declares a function called o1 that returns a Car and takes a single argument which is a function returning a Car. This is known as the most-vexing parse.

You can fix it by using an extra pair of parentheses:

Car o1((Car()));

Or by using uniform initialisation in C++11 and beyond:

Car o1{Car{}};

But for this to work, you'll need to make the parameter type of the Car constructor a const Car&, otherwise you won't be able to bind the temporary to it.


与恶龙缠斗过久,自身亦成为恶龙;凝视深渊过久,深渊将回以凝视…
thumb_up_alt 0 like thumb_down_alt 0 dislike
Welcome to ShenZhenJia Knowledge Sharing Community for programmer and developer-Open, Learning and Share
...