我见过人们在初始化列表中的成员变量后放了一个括号。我想知道为什么人们这样做?
例如,我在头文件中有一个STL容器:
class A{
public:
A();
...
private:
vector<string> v;
}
并在源文件中:
A::A() : v() {}
我的问题是什么是v(),为什么人们这样做,因为看起来v看起来不像v被初始化为
答案 0 :(得分:5)
这将为成员运行默认构造函数或初始化程序(对于普通类型)。在此上下文中,它将默认构造向量。由于它是默认构造函数,因此这里没有必要。在缺少初始化程序的情况下,v
将默认构建。
class Example {
private:
int defaultInt;
vector<int> defaultVector;
int valuedInt;
vector<int> sizedVector;
public:
Example(int value = 0, size_t vectorLen = 10)
: defaultInt(), defaultVector(), valuedInt(value), sizedVector(vectorLen)
{
//defaultInt is now 0 (since integral types are default-initialized to 0)
//defaultVector is now a std::vector<int>() (a default constructed vector)
//valuedInt is now value since it was initialized to value
//sizedVector is now a vector of 'size' default-intialized ints (so 'size' 0's)
}
};
对于踢腿和傻笑,你也可以thirdVector(vectorLen, value)
获得vector
vectorLen
个元素,其值为value
。 (因此Example(5, 10)
会使thirdVector
成为10
元素的向量5
。)
答案 1 :(得分:2)
My question is what is v() and why do people do that since that doesn't look like v is initialized into a value either
有时这样做更明确。对于非POD类型,这不是必需的,因为默认构造函数会自动为它们调用。如果尚未定义或无法访问类型默认构造函数,则会导致编译错误。
这对于POD类型最有意义,因为它们的值在未初始化时未定义。
struct A
{
int t;
A() : { /* value of t undefined */ }
}
struct A
{
int t;
A() : t() { /* value of t is t's default value of 0 */ }
}