我对析构函数有疑问。在main.cpp下面,如果我将ht定义为指针,则程序可以正常运行。但是,如果我将ht定义为对象,它将引发错误
“ malloc:*对象0x7fff511a4b00错误:未分配正在释放的指针
*在malloc_error_break中设置一个断点以进行调试”
我理解此错误,我的解决方案是将ht定义为指针。
我的问题是我是否可以直接将ht定义为对象,如果答案是肯定的,则应如何修改类定义。
谢谢。
main.cpp
#include "copy_constructor.h"
int main()
{
// Define ht as pointer works fine
//Hash_Table<int> *ht;
//ht = new Hash_Table<int>;
Hash_Table<int> ht;
// keyed_structure<int> s;
// s.data_val = 10;
return 0;
}
copy_constructor.h
#ifndef COPY_CONSTRUCTOR_H
#define COYP_CONSTRUCTOR_H
#include <cstdlib>
#include <iostream>
const size_t MAX_SIZE = 3;
template<class D> struct keyed_structure
{
size_t key_val;
D data_val;
bool empty_val;
};
template<class D> class Hash_Table
{
public:
// COnstructor
Hash_Table() {
//h_table = new keyed_structure<D> [MAX_SIZE];
for (size_t index=0; index < MAX_SIZE; ++index) {
h_table[index].empty_val = true;
}
}
// Destructor
~Hash_Table() {
//std::cout << "Do destruct" << std::endl;
delete[] h_table;
}
private:
keyed_structure<D> h_table[MAX_SIZE];
};
#endif
最佳答案
您不需要调用delete[] h_table;
,因为您没有在Hash_Table
中添加任何新内容。您的代码是未定义的行为。
测试不会崩溃的原因是,您仅new ht
但没有delete ht
Hash_Table<int> *ht;
ht = new Hash_Table<int>;
delete ht; // if you did ht, it still crashes
关于c++ - 破坏C++中的struct数组成员,我们在Stack Overflow上找到一个类似的问题:https://stackoverflow.com/questions/13263182/