我正在尝试创建一个二维对象数组。我正在尝试将类的构造函数设置为等于将接受参数的构造函数。但是,我一直收到错误说:
main.cpp:18:37:错误:从'test *'到'const test&'的用户定义转换无效
int main()
{
test arr[9][9];
char s[9][9];
int integerArray[9][9];
for(unsigned int i = 0; i < 9; i++)
{
for(unsigned int j = 0; j < 9; j++)
{
cin >> s[i][j];
arr[9][9] = new test(s[i][j]);
}
}
return 0;
}
考试是班级。任何人都可以帮我弄清楚这个错误吗?我理解新函数返回一个void指针,但我怎样才能得到它以便我的2d数组接受参数?
感谢。
答案 0 :(得分:2)
您的2d数组不是指向test
对象的指针数组。
无论如何,内存都是为你的2D阵列分配的。所以不需要循环。
除非您更改声明
test arr[9][9];
类似于:
test*** arr = new (test**)[rows];
for(unsigned int i = 0; i < 9; i++)
{
for(unsigned int j = 0; j < 9; j++)
{
cin >> s[i][j];
arr[i][j] = new test(s[i][j]);
}
}
答案 1 :(得分:0)
将数组声明为test arr[9][9];
时
然后分配内存并为每个成员调用默认构造函数。因此,您不需要调用new
来分配新内存。
我假设您的目标是使用从test
读取的值构造std::cin
个对象数组。
然后你有几个选择:
看起来像是:
test* arr[9][9];
for(unsigned int i = 0; i < 9; i++)
{
for(unsigned int j = 0; j < 9; j++)
{
cin >> s[i][j];
arr[i][j] = new test(s[i][j]);
}
}
test
对象的数组(没有指针),可以使用:提供test::set(int)
方法以在构造之后设置值。
test arr[9][9];
for(unsigned int i = 0; i < 9; i++)
{
for(unsigned int j = 0; j < 9; j++)
{
cin >> s[i][j];
arr[i][j].set(s[i][j]);
}
}
构造临时对象,然后使用operator=(const test&)
(或c ++ 11中的operator=(test &&)
)将其分配给数组中已分配的对象。请注意,此处没有new
:
test arr[9][9];
for(unsigned int i = 0; i < 9; i++)
{
for(unsigned int j = 0; j < 9; j++)
{
cin >> s[i][j];
arr[i][j] = test(s[i][j]);
}
}
或者使用placement new(这会在预先分配的内存块中构造新对象):
test arr[9][9];
for(unsigned int i = 0; i < 9; i++)
{
for(unsigned int j = 0; j < 9; j++)
{
cin >> s[i][j];
new(&arr[i][j]) test(s[i][j]);
}
}
答案 2 :(得分:0)
//具有一个arg构造函数的类/没有默认构造函数,其二维数组需要 //使用new
在堆上分配class A
{
public:
A(int i):m_i(i)
{
cout<<"constructor called i="<<i<<endl;
}
~A()
{
cout<<"destructor called i="<<m_i<<endl;
}
int get()
{
return m_i;
}
friend ostream& operator<<(ostream& os, const A& obj);
private:
int m_i;
};
ostream& operator<<(ostream& os, const A& obj)
{
os<<obj.m_i;
return os;
}
typedef unsigned char Byte;
int main()
{
int m=4;
int n=3;
int s[4][3] = { {1,2,3},
{4,5,6},
{7,8,9},
{10,11,12}
};
//Allocate a buffer to hold the array, on heap
Byte* pBuff = new Byte[sizeof(A)*m*n];
for(int i=0;i<m;++i)
{
for(int j=0;j<n;++j)
{
A* p = new (pBuff+sizeof(A)*(n*i+j)) A(s[i][j]);
}
}
//Accessing array
A (*testArr)[3] = (A (*)[3])pBuff;
for(int i=0;i<4;++i)
{
for(int j=0;j<3;++j)
{
cout<<"testArr["<<i<<"]["<<j<<"]="<<testArr[i][j]<<endl;
}
}
//after you are done with the array of objects.
for(int i=0;i<m;++i)
{
for(int j=0;j<n;++j)
{
A* p=(A*)(pBuff+sizeof(A)*(i*n+j));
p->~A(); //call destructor for each object.
}
}
delete[] pBuff; //Delete the buffer.
return 0;
}
答案 3 :(得分:0)
在您的代码中,您基本上会出现类型不匹配,因为您尝试将指向X的指针指定给X.
我假设发生这种情况,因为您尝试分配test
,但test
没有默认构造函数。
一个更简单的解决方案,它避免使用默认构造函数,但是在复制构造方面有一些开销,将使用带有给定构造函数的向量。
std::vector<std::vector<test, test(char(0))> > arr;
char a(0);
for (unsigned int i = 0; i < 9; ++i) {
for (unsigned int j = 0; j < 9; ++j) {
std::cin >> a;
arr[i][j] = test(a);
}
}