删除 [] 后内存泄漏

Memory Leak after delete []

本文关键字:内存 泄漏 删除      更新时间:2023-10-16

我遇到了内存泄漏问题,我无法弄清楚可能导致它的原因。我有一个包含数组的结构。我偶尔需要调整数组的大小,所以我创建了一个长度是旧数组两倍的新数组,并复制所有旧值。然后我用"delete [] 数组"删除数组,并用新数组重新分配旧数组。

struct Structure {
double* array = new double[1]
int capacity = 1;
}
void resize (Structure& structure) {
double* array = new double[structure.capacity * 2];
for (int i = 0; i < structure.capacity; i++) {
array[i] = structure.array[i];
}
delete [] structure.array;
structure.array = array;
}

我希望旧数组被释放并替换为新数组。相反,我收到内存泄漏错误。

==91== 16 bytes in 1 blocks are definitely lost in loss record 1 of 1
==91==    at 0x4C3089F: operator new[](unsigned long)

您的结构不遵循 3/5/0 规则,特别是当结构本身被销毁时,它缺少一个析构函数来delete[]当前array

struct Structure {
double* array = new double[1];
int capacity = 1;
~Structure() { delete[] array; } // <-- add this!
/* also, you should add these, too:
Structure(const Structure &)
Structure(Structure &&)
Structure& operator=(const Structure &)
Structure& operator=(Structure &&)
*/
};

您确实应该使用std::vector<double>而不是直接使用new[]std::vector处理您尝试手动执行的所有操作,并且比您更安全:

#include <vector>
struct Structure {
std::vector<double> array;
Structure() : array(1) {}
};
void resize (Structure& structure) {
structure.array.resize(structure.array.size() * 2);
}

或:

#include <vector>
struct Structure {
std::vector<double> array;
Structure() { array.reserve(1); }
};
void resize (Structure& structure) {
structure.array.reserve(structure.array.capacity() * 2);
}

取决于您实际使用array的方式。