2

The following code doesn't call the copy constructor.

struct X
{
   int x;
   X(int num)
   {
      x = num;
      std::cout << "ctor" << std::endl;
   }
   X(const X& other)
   {
      std::cout << "copy ctor" << std::endl;
   }
};

int main(int argc, _TCHAR* argv[])
{
   X* x = new X(3);
   X* y(x);
}

Output:

ctor

Is it copy-ctor elision?

AMCoder
  • 773
  • 1
  • 6
  • 15

1 Answers1

9

The code

X* x = new X(3);
X* y(x);

is not the same as

X x(3);
X* y = new X(x);

You're not copying objects, but pointers. After X* y(x);, both pointers will point to the same object.

Luchian Grigore
  • 253,575
  • 64
  • 457
  • 625