我已经使用c++有一段时间了,我一直在想这个新的关键字。简单地说,我是否应该使用它?
使用new关键字…
MyClass* myClass = new MyClass();
myClass->MyField = "Hello world!";
没有new关键字…
MyClass myClass;
myClass.MyField = "Hello world!";
从实现的角度来看,它们似乎并没有什么不同(但我确信它们确实不同)……然而,我的主要语言是c#,当然第一个方法是我所习惯的。
困难在于方法1很难与std c++类一起使用。
我应该用哪种方法?
更新1:
最近,我为一个超出作用域(即从函数返回)的大数组使用了用于堆内存(或自由存储)的new关键字。在我使用堆栈之前,会导致一半的元素在作用域外损坏,切换到堆使用可以确保元素完好无损。耶!
更新2:
我的一个朋友最近告诉我,使用new关键字有一个简单的规则;每次输入new,都输入delete。
Foobar *foobar = new Foobar();
delete foobar; // TODO: Move this to the right place.
这有助于防止内存泄漏,因为您总是必须将删除放在某个地方(即当您剪切并粘贴到析构函数或其他方法时)。
简单的回答是:如果你是c++的初学者,你永远不应该使用new或delete。
相反,你应该使用智能指针,例如std::unique_ptr和std::make_unique(或者很少使用std::shared_ptr和std::make_shared)。这样,您就不必太担心内存泄漏了。即使您更高级,最佳实践通常是将使用new和delete的自定义方式封装到一个专门用于对象生命周期问题的小类(例如自定义智能指针)中。
Of course, behind the scenes, these smart pointers are still performing dynamic allocation and deallocation, so code using them would still have the associated runtime overhead. Other answers here have covered these issues, and how to make design decisions on when to use smart pointers versus just creating objects on the stack or incorporating them as direct members of an object, well enough that I won't repeat them. But my executive summary would be: don't use smart pointers or dynamic allocation until something forces you to.