我有以下课程foo
class foo
{
int *arr; // arr holds numbers
int sz; // size of array
public:
// Suppose I have made default and 1 parameter c'tor
foo(const foo &f)
{
sz = f.sz;
arr = new int[sz];
for(int i=0;i<sz;i++)
arr[i]=f.arr[i];
}
};
int main()
{
foo x(5); //5 is size of array
const foo y = x; //doesn't work as I haven't initialized in member-initialization list, but how to write for loop in member initialization list ?
}
那么如何在成员初始化列表中编写for循环?
答案 0 :(得分:3)
你可以在这种情况下使用std::vector
......无论如何。
通常,我将创建一个私有静态方法,它将执行分配和复制。然后可以使用初始化列表:
static int* CloneInts(const foo& f) {
int* ints = new ...
...copy them from @a f.arr...
return ints;
}
然后你的init-list看起来像:
foo(const foo& f) : arr(CloneInts(f)), sz(f.sz) {
答案 1 :(得分:3)
您是否尝试过直接使用复制构造函数构建它?
const foo y(x);
答案 2 :(得分:2)
你应该澄清你的问题,因为问题中的问题实际上并不存在。
const foo y = x;
行将编译并使用该复制构造函数。正在构造的const对象在构造函数完成之前不是“const”。因此,即使构造的对象是const,构造函数体也可以修改对象。
另请注意,示例中的循环甚至不会修改任何常量的循环 - 因为数组是动态分配的,即使对象本身不是,也可以修改这些数组元素。例如,ctor完成后arr
指针不可修改,但arr[0]
仍然是。
尝试以下操作以查看两个实际操作点:
#include <stdio.h>
#include <algorithm>
class foo
{
int *arr; // arr holds numbers
int sz; // size of array
public:
foo() : arr(0), sz(0) { puts("default ctor");}
foo(int x) : arr(0), sz(x) {
puts( "int ctor");
arr = new int[sz];
for(int i=0;i<sz;i++)
arr[i]=0;
}
foo(const foo &f)
{
puts("copy ctor");
sz = f.sz;
arr = new int[sz];
for(int i=0;i<sz;i++)
arr[i]=f.arr[i];
}
~foo() {
delete [] arr;
}
foo& operator=(const foo& rhs) {
if (this != &rhs) {
foo tmp(rhs);
std::swap( arr, tmp.arr);
std::swap( sz, tmp.sz);
}
return *this;
}
void update() const {
for(int i = 0; i < sz; i++) {
arr[i] = arr[i] + 1;
}
}
void dump() const {
for(int i = 0; i < sz; i++) {
printf("%d ", arr[i]);
}
puts("");
}
};
int main()
{
foo x(5); //5 is size of array
const foo y = x;
y.dump();
y.update(); // can still modify the int array, even though `y` is const
y.dump();
}
我认为你可能会因构造具有const成员的对象而混淆构造const对象,因为这些成员必须在初始化列表中初始化。