C++在回收用 new 分配的单个对象的内存空间时,直接用 delete;回收用 new[] 分配的数组对象的内存空间时,需要用 delete[]。
比如下面这段代码:
#include <iostream>
using namespace std;
class Student {
public:
Student() {
cout << "1. Constructor" << endl;
}
~Student() {
cout << "2. Destructor" << endl;
}
};
int main()
{
Student* stu = new Student();
delete stu;
stu = nullptr;
cout << "---" << endl;
Student* stuArr = new Student[2];
delete[] stuArr; // 不要漏了[]
stuArr = nullptr;
return 0;
}
运行结果为:
需要注意的是:若将 delete[] stuArr 改为 delete stuArr,则会导致 stuArr 指向的2个Student对象中的剩余1个未被销毁,造成内存泄漏。