栈区、堆区,内存分区模型
1.栈区
由编译器自动分配释放,存放函数的参数值,局部变量等
注意事项:
不要返回局部变量的地址,栈区开辟的数据由编译器自动释放
实例代码:
#include <iostream> using namespace std; int *func() { int a = 10; //局部变量,存放在栈区,栈区的数据在函数执行完后自动释放 return &a; //返回局部变量的地址 } int main() { int *p = func(); //接收func函数的返回值 cout << *p << endl; //第一次可以打印正确的数字,是因为编译器做了保留 cout << *p << endl; //第二次这个数据就不再保留了,打印失败 cout << *p << endl; //同理 return 0; }
2.堆区
由程序员分配释放,若程序员不释放,程序结束时由操作系统自动回收
在c++中主要利用new在堆区开辟内存
实例代码1:
#include <iostream> using namespace std; int *func() { //利用new关键词,可以将数据开辟到堆区 int *p = new int(10); return p; } int main() { //在堆区开辟数据 int *p = func(); //三次打印结果均为10 cout << *p << endl; cout << *p << endl; cout << *p << endl; }
开辟内存后,手动释放内存:
实例代码2:
#include <iostream> using namespace std; int *func() { //利用new关键词,可以将数据开辟到堆区 int *p = new int(10); return p; } //1、new的基本语法 void test01() { //在堆区创建整型数据 //new返回的是该数据类型的指针 int *p = func(); //三次打印结果均为10 cout << *p << endl; cout << *p << endl; cout << *p << endl; //堆区的数据由程序员开辟,程序员释放 //如果要释放堆区的数据,使用delete关键词 delete p; cout << *p << endl; //内存已经被释放,再次访问就是非法操作 } //2、在堆区利用new开辟数组 void test02() { int *arr = new int[10]; for (int i = 0; i < 10; i++) { arr[i] = i + 100; } for (int i = 0; i < 10; i++) { cout << arr[i] << endl; } //释放堆区数组 //释放数组的时候,要加[]才可以 delete [] arr; } int main() { test01(); test02(); }