Home > Article > Backend Development > How Does Named Return Value Optimization (NRVO) Affect Local Variable Return Behavior?
Understanding the Return Behavior of Local Variables
When returning a local variable from a function, its behavior can vary depending on compiler optimizations.
NRVO (Named Return Value Optimization)
When NRVO is enabled, the compiler optimizes the return statement by creating the object being returned directly at the site of the return value. In this case, no copy is performed, and the original object is destroyed after the return.
Output with NRVO Enabled
// With NRVO enabled, only one constructor and destructor call is made. class test { public: test(int p) { std::cout << "Constructor (test(int p)) called\n"; } ~test() { std::cout << "Destructor called\n"; } }; test function() { test i(8); return i; } int main() { test o = function(); return 0; }
Output:
Constructor (test(int p)) called Destructor called
NRVO Disabled
To disable NRVO, use the -fno-elide-constructors flag during compilation. In this case, the compiler does not perform NRVO, and a copy of the object is created in the return value.
Output with NRVO Disabled
// With NRVO disabled, both constructor and destructor calls are made twice. class test { public: test(int p) { std::cout << "Constructor (test(int p)) called\n"; } test(test&& other) { std::cout << "Constructor (test(test&& other)) called\n"; } ~test() { std::cout << "Destructor called\n"; } }; test function() { test i(8); return i; } int main() { test o = function(); return 0; }
Output:
Constructor (test(int p)) called Constructor (test(test&& other)) called Destructor called Destructor called
Summary
The above is the detailed content of How Does Named Return Value Optimization (NRVO) Affect Local Variable Return Behavior?. For more information, please follow other related articles on the PHP Chinese website!