当前位置: 首页 > 工具软件 > Elide > 使用案例 >

gcc:-fno-elide-constructors关闭返回值优化

於德馨
2023-12-01
//t.cpp
#include <iostream>
using namespace std;
 
class A{
public:
	A()
	{
		cout<<"Construct"<<endl;
	}
	A(const A &a)
	{
		cout<<"Copy Construct"<<endl;
	}
};
 
A getA()
{
	return A();
}
 
int main(){
	A a = getA();
	return 0;
}

按照C++的标准,A a = getA();这条语句会调用3次构造函数:

1.A();时调佣默认构造函数,生成一个对象,记作tmpA1;

2.return A();将tmpA1作为参数,调用拷贝构造函数生成一个临时的返回值对象,记作tmpA2;

3.对A a进行构造时,通过tmpA2,调用拷贝构造函数,生成对象a。

但是编译器通常会对这种返回值是一个对象的情况进行优化,因此只会调佣一次默认构造函数:

g++ -o t t.cpp

运行程序输出:
Construct

可以通过编译选项-fno-elide-constructors关闭该优化:

g++ -o t t.cpp -fno-elide-constructors

运行程序输出:
Construct
Copy Construct
Copy Construct

正如预期,调用了一次默认构造函数,两次拷贝构造函数

 类似资料: