在我当前的代码中,我想将新的DrawObjects插入到我创建的向量中,
的std ::矢量< DrawObject>对象;
有什么区别:
objects.push_back(DrawObject(name,surfaceFile,xPos,yPos,willMoveVar,animationNumber));
和
objects.push_back(new DrawObject(name,animationNumber));
解决方法
第一个添加非指针对象,而第二个添加指向矢量的指针.所以这一切都取决于向量的声明,你应该做哪一个.
在您的情况下,由于您已将对象声明为std :: vector< DrawObject>,因此第一个将起作用,因为对象可以存储DrawObject类型的项目,而不是DrawObject *.
在C 11中,您可以使用emplace_back作为:
objects.emplace_back(name,animationNumber);
注意区别.比较它:
objects.push_back(DrawObject(name,animationNumber));
使用emplace_back,您不会在调用站点构造对象,而是将参数传递给vector,并且向量在内部构造对象.在某些情况下,这可能会更快.
阅读关于emplace_back的文档(强调我的),
Appends a new element to the end of the container. The element is constructed in-place,i.e. no copy or move operations are performed. The constructor of the element is called with exactly the same arguments that are supplied to the function.
由于它避免了复制或移动,因此结果代码可能会更快一些.