我面临一个奇怪的问题。我编写了一个Parent抽象类(实现了一个纯虚拟test()方法)及其Child类(实现了test()方法)。
class Parent
{
public :
Parent();
virtual ~Parent() = default;
virtual bool test() const = 0;
};
class Child : public Parent
{
public :
bool test() const;
};
然后,我编写了一个“Grid”类,它应该包含一个指向Parent的二维指针数组。使用向量库完成数组:“_ cells”是指向Parent的指针的宽度*高度向量。在使用动态分配的Grid对象构造期间填充_cells,并在析构函数中释放。重载了Operator()(int a,int b),以便能够使用以下模式调用Parent对象:myGrid(x,y)。
class Grid
{
int _w, _h;
std::vector<Parent*> _cells;
public :
Grid(int w = 0, int h = 0);
~Grid();
Parent* &operator()(int x, int y);
private :
void generate();
};
在我的main函数中,g是在堆栈上创建的第一个2x2网格。然后,它应该破坏g并以g为单位构建一个新的4x4网格。但它完全失败了:
Grid g(2, 2);
std::cout << g(1,1)->test() << std::endl; // Works perfectly
g = Grid(4, 4); // Probably wrong, but don't throw an exception
std::cout << g(1,1)->test() << std::endl; // SIGSEGV
我认为问题来自每个单元格的动态分配/解除分配,但我找不到解决方法。
这是我的完整代码,我没有成功简化它。我尽力了。遗憾。
#include <iostream>
#include <cstdlib>
#include <vector>
class Parent
{
public :
Parent();
virtual ~Parent() = default;
virtual bool test() const = 0;
};
Parent::Parent()
{}
class Child : public Parent
{
public :
bool test() const;
};
bool Child::test() const
{
return true;
}
class Grid
{
int _w, _h;
std::vector<Parent*> _cells;
public :
Grid(int w = 0, int h = 0);
~Grid();
Parent* &operator()(int x, int y);
private :
void generate();
};
Grid::Grid(int w, int h) : _w(w), _h(h), _cells(w*h)
{
generate();
}
Grid::~Grid()
{
for (auto cell : _cells)
delete cell;
}
Parent* &Grid::operator()(int x, int y)
{
return _cells[x*_w+y];
}
void Grid::generate()
{
int cell_num;
for (cell_num = 0; cell_num < static_cast<int>(_cells.size()); cell_num++)
_cells[cell_num] = new Child();
}
int main()
{
Grid g(2, 2);
std::cout << g(1,1)->test() << std::endl;
g = Grid(4, 4);
std::cout << g(1,1)->test() << std::endl;
return 0;
}
感谢。
答案 0 :(得分:4)
Grid
类没有复制赋值运算符,因此将使用编译器默认生成的版本。它非常简单,只有成员的浅层副本。这意味着为临时对象Grid(4, 4)
创建的指针被复制(只是指针,而不是它们指向的指针),并且当临时对象被销毁时,指针也是如此(在临时对象的析构函数)。这将为您留下一个对象g
,其中包含指向已删除内存的指针。
我建议您阅读the rule of three。