C++内存分布
小试牛刀:
int globalVar = 1;
static int staticGlobalVar = 1;
void Test()
{
static int staticVar = 1;
int localVar = 1;
int num1[10] = { 1, 2, 3, 4 };
char char2[] = "abcd";
const char* pChar3 = "abcd";
int* ptr1 = (int*)malloc(sizeof(int) * 4);
int* ptr2 = (int*)calloc(4, sizeof(int));
int* ptr3 = (int*)realloc(ptr2, sizeof(int) * 4);
free(ptr1);
free(ptr3);
}
1. 选择题:
选项: A.栈 B.堆 C.数据段(静态区) D.代码段(常量区)
globalVar在哪里?_C__
staticGlobalVar在哪里?__C__
staticVar在哪里?_C___
localVar在哪里?__A__
num1 在哪里?_A___
char2在哪里?__A__
*char2在哪里?__A_
pChar3在哪里?__A__
*pChar3在哪里?__D__
ptr1在哪里?__A_
*ptr1在哪里?__B_
总结:只要是局部变量都存在栈上,因为出了函数2作用域变量都要销毁。
NEW空间
int* p = new int;//申请空间
int* p1 = new int[10];//申请多个空间
delete p;//销毁空间
delete[] p1;//销毁多个空间
可以对new出来的对像进行初始化
int* p=new int(2);//初始化对象为2;
int* p=new int[10]{1,2,3,4,5}//初始化前5个对象,后边初始化为0;
优点:new申请对象时会自动调用构造函数,delete会自动调用析构函数
注意:使用new不用像malloc一样检查是否申请成功,如果失败我们可以使用抛异常的方法检测失败。
使用(try catch);
try {
void* p1 = new char[1024 * 1024 * 1024];
cout << p1 << endl;
void* p2 = new char[1024 * 1024 * 1024];
cout << p2 << endl;
}
catch(const exception& e){
cout << e.what() << endl;
}
new/delete底层原理
new:实际上是调用operator new(他的底层是封装了malloc).
new是malloc的加强版
new一个内置类型直接调用,operrator new(malloc)来开一个空间
new一个自定义类型,先调用operator new(malloc)生成一个对象,然后自动调用他的构造函数来进行初始化。
delete:实际上是调用operator delete(他的底层是封装了free).
delete是free的加强版
free一个内置类型直接调用,operrator delete(free)来开一个空间
free一个自定义类型,先自动调用他的析构函数来进行销毁对象。然后调用operator delete(free))释放一个对象。
对于delete多个对象(自定义类型),如果该类中没有写析构函数,正常析构数组即可,如果显示写析构函数,在构造时会多开4个空间来存储数组成员变量的个数。所以释放要写delete[] A1
总结:使用new/delete/malloc/free/new[] /delete[]/一定要匹配正确否则会产生一定的3内存泄漏。
c/c++内存申请和释放函数的区别
共同点:
都是从堆上申请空间吗,并且粗腰手动释放。
不同点:
1.new/delete对自定义类型会是对象进行构造函数初始化,和析构函数销毁对象。
2.new失败不用检查返回值,只需try进行抛异常即可。
3.Malloc/free是函数,new/delete是操作符。
4.malloc不初始化,new初始化
5.使用malloc需要手动计算大小,new直接跟类型,多个对象+【】即可。
6.malloc返回值为void必须强制转化,new不需要因为后边是空间类型(int =new int显然易见就是int型)