问题是要创建一个类,以使对象的非动态分配导致编译器错误。例如,使用以下规则创建“测试”类。
Test t1; // Should generate compiler error
Test *t3 = new Test; // Should work fine
这个想法是在类中创建一个私有的析构函数。当我们创建一个私有析构函数时,编译器将为非动态分配的对象生成一个编译器错误,因为一旦不使用它们,编译器需要将它们从堆栈段中删除。
由于编译器不负责动态分配对象的重新分配(程序员应显式取消分配它们),因此编译器不会对它们产生任何问题。为了避免内存泄漏,我们创建了一个朋友函数destructTest() ,类的用户可以调用该函数来销毁对象。
#include
using namespace std;
// A class whose object can only be dynamically created
class Test
{
private:
~Test() { cout << "Destroying Object\n"; }
public:
Test() { cout << "Object Created\n"; }
friend void destructTest(Test* );
};
// Only this function can destruct objects of Test
void destructTest(Test* ptr)
{
delete ptr;
cout << "Object Destroyed\n";
}
int main()
{
/* Uncommenting following following line would cause compiler error */
// Test t1;
// create an object
Test *ptr = new Test;
// destruct the object to avoid memory leak
destructTest(ptr);
return 0;
}
输出:
Object Created
Destroying Object
Object Destroyed
如果我们不想创建一个朋友函数,我们也可以在Test中重载delete和delete []运算符,这样就不必调用特定函数来删除动态分配的对象。
要从最佳影片策划和实践问题去学习,检查了C++基础课程为基础,以先进的C++和C++ STL课程基础加上STL。要完成从学习语言到DS Algo等的更多准备工作,请参阅“完整面试准备课程” 。