时髦的标题,但老实说,我想不出更好的人了,对不起:(
在尝试使用指针时,我遇到了这个问题,我需要帮助来理解它。基本上,我创建了一个指向对象的指针向量。删除向量中的指针时,我希望原始对象也被删除。他们是一回事,不是吗?
这就是我认为我在下面的代码中所做的事情,我创建了一个动态分配的数组,然后将指向该数组一半元素的指针放入指针向量中。testDestructor 类的每个对象的每一步都知道它是在哪个“顺序”中创建的,它们都通过静态整数分配了一个递增的数字。
然后我 pop_back 并删除向量中的所有指针。我只使用 pop_back 是因为我想看看它们是否被矢量类删除,显然它们没有,但是如果我在那里遗漏了一些东西,那就别想了。重要的是我删除它。
现在,我期望发生的是这也会删除数组的相应元素。这是应该发生的,因为向量和数组元素指向内存中的相同位置。即,应该调用析构函数。
因此,当我然后删除数组时,我希望只有 5 个元素被删除,或者发生运行时错误(我之前尝试删除已经被删除的指针时发生过这种情况,但这可能是一个不同的场景idk)。也就是说,我希望只有析构函数应该只被调用五次。
然而,事实并非如此。构造函数被调用了 10 次,而析构函数被调用了 15 次。我错过了什么?我是否缺少构造函数(我只知道默认构造函数和复制构造函数,还有更多),还是其他?因为,在我看来,当析构函数消失时,对象就消失了。
抱歉,如果代码太多:
testDestructor.h:
#ifndef TESTDESTRUCTOR_H
#define TESTDESTRUCTOR_H
class testDestructor
{
public:
testDestructor();
testDestructor(const testDestructor &);
~testDestructor();
static int maxTest;
int test;
};
#endif
testDestructor.cpp:
#include "testDestructor.h"
#include <iostream>
using namespace std;
int testDestructor::maxTest = 0;
testDestructor::testDestructor()
{
test = maxTest++;
cout << "testDestructor nr " << test << " created successfully\n";
}
testDestructor::testDestructor(const testDestructor &destructorToCopy)
{
test = maxTest++;
cout<< "testDestructor nr " << test << " created successfully (using the copy constructor\n";
}
testDestructor::~testDestructor()
{
//maxTest--;
cout << "testDestructor " << test << " destroyed successfully\n";
}
主.cpp:
#include <iostream>
#include "testDestructor.h"
#include <vector>
using namespace std;
int main()
{
cout << " creating pointer array:\n\n";
testDestructor *testPtr = new testDestructor[10];
cout << " intitiating vector\n\n";
vector<testDestructor*> testVct;
for (int i = 0; i < 5; i++)
{
cout << " pushing back vector " << i << ":\n";
testVct.push_back(testPtr + i);
cout << "testDestructor " << testVct[i]->test << " pushed back\n";
}
cout << "\n";
for (int i = 4; i >= 0; i--)
{
cout << " popping back vector " << i << ":\n";
cout << "testDestructor " << testVct[i]->test << " popped back\n";
delete testVct[i];
testVct.pop_back();
}
cout << "\n";
cout << " deleting pointer array\n\n";
delete [] testPtr;
}