欢迎您访问程序员文章站本站旨在为大家提供分享程序员计算机编程知识!
您现在的位置是: 首页

push_back和emplace_back的区别

程序员文章站 2022-03-01 23:19:39
...

push_back和emplace_back的区别

  • 如果push_back传入左值
  • 调用构造函数和拷贝构造函数

  • 如果push_back传入右值
  • 调用构造函数和移动构造函数

  • 但是调用emplace_back,只调用构造函数

总结,在C++11以后,emplace_back 替换 push_back是可以提升很多效率

注意:在使用std::vector时候记得先reverse,这样可以减少内存分配的时间,提升性能

测试代码:

class A
{
public:	
	int _i;	
	A(int i):_i(i){	 		
		std::cout<<"constructor"<<std::endl;
	}
	A(A const& obj){
 		_i = obj._i;
		std::cout<<"copy constructor"<<std::endl;
	}

	A(A && obj) {
		_i = std::move(obj._i);
 		std::cout<<"move constructor"<<std::endl;
	}

	virtual ~A(){ std::cout<<"destructor"<<std::endl;}
}

int main()
{
	std::vector<A> _list;
	_list.push_back(1);
	//_list.push_back(1);
	return 0;
}