如果我有课:
class A
{
private:
char z;
int x;
public:
A(char inputz, int inputx);
~A() {}
}
我想在课程A
中制作一个B
数组。
class B
{
private:
A arrayofa[26];
public:
B();
~B() {}
void updatearray(); // This will fill the array with what is needed.
}
class B
{
B:B()
{
updatearray();
std::sort( &arrayofa[0], &arrayofa[26], A::descend );
}
}
如何在arrayofa
的构造函数中显式初始化B
?
答案 0 :(得分:3)
将自动调用默认构造函数(对于非POD)。如果您需要一个不同的构造函数,那么运气不好,但您可以使用vector
来支持您需要的内容。
答案 1 :(得分:3)
你不能。
数组中的每个元素都将由默认构造函数(无参数构造函数)初始化。
最好的选择是使用矢量 在这里指定一个值,该值将被复制到向量的所有成员中:
class B
{
private:
std::vector<A> arrayofa;
public:
B()
: arrayofa(26, A(5,5))
// create a vector of 26 elements.
// Each element will be initialized using the copy constructor
// and the value A(5,5) will be passed as the parameter.
{}
~B(){}
void updatearray();//This will fill the array with what is needed
}
答案 2 :(得分:1)
首先应该有class A
的默认构造函数,否则B()
将无法编译。在构造函数体开始执行之前,它将尝试调用class B
成员的默认构造函数。
您可以像这样初始化arrayofa
:
void B::updatearray()
{
arrayofa[0] = A('A', 10);
arrayofa[1] = A('B', 20);
...
}
最好使用std::vector
而不是数组。
std::vector<A> v(26, A('a', 10)); //initialize all 26 objects with 'a' and 10