我常常想,
new
我知道我可以使用关键字创建指向对象实例的指针,同时将相同的指针作为参数传递给函数。就像我在Animation::newFrame
函数下面一样,在下面的示例中给出。
但是,我也知道,作为一般规则,我负责调用delete
我使用new
.
所以当我像这样调用Frame的构造函数时:
Frame* myFrame
= new Frame(new point(0,0), new point(100,100), new point(50,20));
new
最终释放我在上述函数调用中创建的 3 个点的内存的责任在哪里?
毕竟,以上三个新点并没有我可以调用delete
的名称。
我总是有点假设它们属于它们被调用的函数的范围,并且它们只会超出函数的范围。然而,最近我一直在想,也许不是这样。
我希望我在这里已经足够清楚了。
提前致谢,
盖伊
struct Frame
{
public:
point f_loc;
point f_dim;
point f_anchor;
//the main constructor:: Creates a frame with some specified values
Frame(point* loc, point* dim, point* anchor)
{
f_loc = loc;
f_dim = dim;
f_anchor = anchor;
}
};
struct Animation
{
public:
vector<Frame*> frameList;
//currFrame will always be >0 so we subtract 1
void Animation::newFrame(int &currFrame)
{
vector<Frame*>::iterator it;//create a new iterator
it = frameList.begin()+((int)currFrame);//that new iterator is
//add in a default frame after the current frame
frameList.insert(
it,
new Frame(
new point(0,0),
new point(100,100),
new point(50,20)));
currFrame++;//we are now working on the new Frame
}
//The default constructor for animation.
//Will create a new instance with a single empty frame
Animation(int &currFrame)
{
frameList.push_back(new Frame(
new point(0,0),
new point(0,0),
new point(0,0)));
currFrame = 1;
}
};
编辑:我忘了提到这个问题纯粹是理论上的。我知道原始指针有更好的选择,例如智能指针。我只是想加深我对常规指针以及如何管理它们的理解。
此外,上面的示例取自我的一个项目,该项目实际上是 C++/cli 和 c++ 混合(托管和非托管类),所以这就是为什么构造函数只接受point*
而不是按值传递(point
)。因为point
是非托管结构,因此在托管代码中使用时,必须由程序员本人来管理。:)