std :: vector是否将其值类型的赋值运算符用于push_back元素?
Posted
tags:
篇首语:本文由小常识网(cha138.com)小编为大家整理,主要介绍了std :: vector是否将其值类型的赋值运算符用于push_back元素?相关的知识,希望对你有一定的参考价值。
如果是这样,为什么?为什么不使用值类型的复制构造函数?
我收到以下错误:
/usr/lib/gcc/i686-pc-cygwin/3.4.4/include/c++/bits/vector.tcc: In member functio
n `ClassWithoutAss& ClassWithoutAss::operator=(const ClassWithoutAss&)':
/usr/lib/gcc/i686-pc-cygwin/3.4.4/include/c++/bits/vector.tcc:238: instantiate
d from `void std::vector<_Tp, _Alloc>::_M_insert_aux(__gnu_cxx::__normal_iterato
r<typename _Alloc::pointer, std::vector<_Tp, _Alloc> >, const _Tp&) [with _Tp =
ClassWithoutAss, _Alloc = std::allocator<ClassWithoutAss>]'
/usr/lib/gcc/i686-pc-cygwin/3.4.4/include/c++/bits/stl_vector.h:564: instantia
ted from `void std::vector<_Tp, _Alloc>::push_back(const _Tp&) [with _Tp = Class
WithoutAss, _Alloc = std::allocator<ClassWithoutAss>]'
main.cpp:13: instantiated from here
/usr/lib/gcc/i686-pc-cygwin/3.4.4/include/c++/bits/vector.tcc:238: error: non-st
atic const member `const int ClassWithoutAss::mem', can't use default assignment
operator
在以下代码上运行g ++ main.cpp:
/*
* ClassWithoutAss.h
*
*/
#ifndef CLASSWITHOUTASS_H_
#define CLASSWITHOUTASS_H_
class ClassWithoutAss
{
public:
const int mem;
ClassWithoutAss(int mem):mem(mem){}
ClassWithoutAss(const ClassWithoutAss& tobeCopied):mem(tobeCopied.mem){}
~ClassWithoutAss(){}
};
#endif /* CLASSWITHOUTASS_H_ */
/*
* main.cpp
*
*/
#include "ClassWithoutAss.h"
#include <vector>
int main()
{
std::vector<ClassWithoutAss> vec;
ClassWithoutAss classWithoutAss(1);
(vec.push_back)(classWithoutAss);
return 0;
}
答案
C ++ 03标准规定元素必须是可复制构造和可复制分配才能在标准容器中使用。所以一个实现可以随意使用它们想要的任何东西。
在C ++ 0x中,这些要求基于每个操作。 (通常,元素必须是可移动构造和可移动分配的。)
要得到你想要的东西,你应该使用像shared_ptr
这样的智能指针(来自Boost,TR1或C ++ 0x),并完全禁用复制能力:
class ClassWithoutAss
{
public:
const int mem;
ClassWithoutAss(int mem):mem(mem){}
// don't explicitly declare empty destructors
private:
ClassWithoutAss(const ClassWithoutAss&); // not defined
ClassWithoutAss& operator=(const ClassWithoutAss&); // not defined
};
typedef shared_ptr<ClassWithoutAss> ptr_type;
std::vector<ptr_type> vec;
vec.push_back(ptr_type(new ClassWithoutAss(1)));
指针可以很好地复制,智能指针确保您不会泄漏。在C ++ 0x中,你可以利用std::unique_ptr
做到最好,利用移动语义。 (你实际上并不需要共享语义,但在C ++ 03中它最简单。)
另一答案
这里的问题是容器中的类型必须是可分配的。
因为您没有为您的类定义赋值运算符,所以编译器将为您生成一个赋值运算符。默认赋值运算符如下所示:
ClassWithoutAss& operator=(ClassWithoutAss const& rhs)
{
mem = copy.mem;
return *this;
}
// The compiler generated assignment operator will copy all members
// using that members assignment operator.
在大多数情况下,这可行。但成员mem是一个const,因而无法分配。因此,编译在尝试生成赋值运算符时将失败。
以上是关于std :: vector是否将其值类型的赋值运算符用于push_back元素?的主要内容,如果未能解决你的问题,请参考以下文章
即使根据容量()仍有未使用的空间,std::vector 能否将其数据移动到 emplace_back()处的另一个地址?