我们知道new用于动态创建内存,程序员有责任明确删除内存位置,并使用delete关键字将其删除。使用新关键字在运行时创建内存的语法:
int *ptr = new int;
它将为int类型创建一个内存位置并返回其地址。 free()仅应用于指向使用malloc()分配的内存的指针或NULL指针。
如果我们在C++中混合使用新的和免费的,会发生什么?
我们知道通过使用delete关键字删除由new关键字创建的内存,并通过free()删除由malloc()创建的内存。 new调用构造函数,而delete调用析构函数以进行内存释放。现在,使用new关键字创建内存,然后尝试使用free()删除它,那么析构函数将不会被调用,因此内存和资源将不会释放。它将导致内存和资源泄漏。下面是分析free()和delete行为的程序:
C++
// C++ program to illustrate the working
// of memory allocation if new and free
// are mixed
#include
using namespace std;
class A {
private:
int* p;
public:
// Default Constructor
A()
{
cout << "Constructor is executed"
<< endl;
p = new int;
*p = 5;
}
// Destructor
~A()
{
cout << "Destructor is executed"
<< endl;
// resource clean-up
cleanup();
}
// Member Function
void cleanup()
{
cout << "Resource clean-"
<< "up completed" << endl;
}
// Function to display the value
// of class variables
void display()
{
cout << "value is: "
<< *p << endl;
}
};
// Driver Code
int main()
{
// Create Object of class A
A* ptr = new A();
ptr->display();
// Destructor will be called
delete ptr;
A* ptr1 = new A();
ptr1->display();
// No destructor will be called
// hence no resource clean-up
free(ptr);
return 0;
}
输出:
Constructor is executed
value is: 5
Destructor is executed
Resource clean-up completed
Constructor is executed
value is: 5
说明:
在上面的代码中,使用new关键字创建了一个对象,并且我们尝试使用free()删除该对象。它不会为此对象调用析构函数,并且不会释放该对象的内存和资源。因此,始终建议不要在C++程序中混合使用新的和免费的程序,以避免额外的精力和时间。
要从最佳影片策划和实践问题去学习,检查了C++基础课程为基础,以先进的C++和C++ STL课程基础加上STL。要完成从学习语言到DS Algo等的更多准备工作,请参阅“完整面试准备课程” 。