Discussion: Counting Copies
Execute the code to understand the output and gain insights into copy elision and return value optimization.
Run the code
Now, it’s time to execute the code and observe the output.
#include <iostream>struct Resource{Resource() = default;Resource(const Resource &other){std::cout << "copy\n";}};Resource getResource(){return Resource{};}int main(){Resource resource1 = getResource();Resource resource2{resource1};}
Understanding the output
It might seem like three copies are being made in this program. One to initialize the return object of getResource
with the temporary Resource{}
, one to initialize resource1
with said return object, and one to initialize resource2
. However, no copies are being made when returning from getResource()
and initializing resource1
. How is this possible?
The pure rvalues (prvalues)
Let’s first look at the return statement, which seemingly initializes the return object from the temporary Resource{}
. The Resource{}
expression in the return statement is a type of rvalue called a prvalue, or the pure rvalue. In the Will It Move? puzzle, we first met lvalues and rvalues and learned that rvalues are expressions we can move from, bind rvalue references to, and so on. In fact, there are two types of rvalues: xvalues and prvalues:
An xvalue ...