我创建了这个函数来改变动态数组的大小
size = 4; //this is what size is in my code
int *list = new int[size] // this is what list
void dynArray::doubleSize( )
{
int *temparray;
int currentsize = size;
int newsize = currentsize * 2;
temparray = new int[newsize];
for (int i = 0 ; i < newsize;i++)
{
temparray[i] = list[i];
}
size = newsize;
delete [] list;
list = new int[size];
list = temparray;
// this it help see if i made any changes
cout << sizeof(temparray) << "temp size:\n";
cout << sizeof(list) << "list size:\n";
cout << size << "new size:\n\n\n";
}
我希望它输出数组的大小是每次改变大小时的函数。我知道这可以用向量完成但我想了解如何用数组做
我能做些什么来实现这一目标。
答案 0 :(得分:1)
您无法:C ++标准不提供访问动态数组维度的机制。如果你想知道它们,你必须在创建数组时记录它们,然后查看你设置的变量(就像你在程序结束时已经size
一样徘徊。< / p>
答案 1 :(得分:0)
代码中的问题:
问题1
以下for
循环使用越界索引访问list
。 list
中的元素数量为size
,而不是newSize
。
for (int i = 0 ; i < newsize;i++)
{
temparray[i] = list[i];
}
您需要将条件更改为i < size;
。
然后,您需要弄清楚如何初始化temparray
中的其他项目。
问题2
以下行导致内存泄漏。
list = new int[size];
list = temparray;
您使用new
分配内存,并立即在第二行丢失该指针。
回答您的问题
要打印新尺寸,您可以使用:
cout << "new size: " << size << "\n";
但是,我不建议将此类代码放在该函数中。你的课程依赖于std::cout
而没有太多的好处,IMO。