c – 在成员变量之后加上一个括号来初始化?
作者:互联网
我看到人们在初始化列表中的成员变量后放置一个括号.我想知道为什么人们这样做?
例如,我在头文件中有一个STL容器:
class A{
public:
A();
...
private:
vector<string> v;
}
在源文件中:
A::A() : v() {}
我的问题是什么是v()以及为什么人们这样做,因为看起来v看起来不像是初始化为值
解决方法:
这将为成员运行默认构造函数或初始化程序(对于普通类型).在此上下文中,它将默认构造向量.由于它是默认构造函数,因此这里没有必要.在没有初始化程序的情况下,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)
}
};
对于kick和giggles,你也可以使用thirdVector(vectorLen,value)来获得带有值的vectorLen元素的向量. (因此,例子(5,10)会使thirdVector成为10个元素值为5的向量.)
标签:member-variables,c,initialization 来源: https://codeday.me/bug/20190729/1568908.html