1. 全局区
总结:
不在全局区中:局部变量、const修饰的局部变量(局部常量)
在全局区中:全局变量、静态变量(static)、常量(字符串常量、const修饰的全局变量(全局常量))
#include <iostream>
using namespace std;
//全局变量
int g_a = 10;
int g_b = 20;
//const修饰的全局变量(全局常量)
const int c_g_a = 10;
const int c_g_b = 20;
int main()
{
//全局区
//全局变量、静态变量、常量
//创建普通的局部变量
int a = 10;
int b = 10;
//创建普通的静态变量
static int s_a = 10;
static int s_b = 20;
cout << "局部变量a的地址:" << (int)&a << endl;
cout << "局部变量b的地址:" << (int)&b << endl;
cout << "全局变量g_a的地址:" << (int)&g_a << endl;
cout << "全局变量g_b的地址:" << (int)&g_b << endl;
cout << "静态变量s_a的地址:" << (int)&s_a << endl;
cout << "静态变量s_b的地址:" << (int)&s_b << endl;
//常量
//字符串常量
//const修饰的变量(const修饰的全局变量,const修饰的局部变量)
//字符串变量
cout << "字符串常量的地址为:" << (int)&"hello wrold" << endl;
//const修饰的全局变量
cout << "全局常量c_g_a的地址为:" << (int)&c_g_a << endl;
cout << "全局常量c_g_b的地址为:" << (int)&c_g_b << endl;
//const修饰的局部变量
const int c_l_a = 10; //c-const g-global l-local
const int c_l_b = 10;
cout << "局部常量c_l_a的地址为:" << (int)&c_l_a << endl;
cout << "局部常量c_l_b的地址为:" << (int)&c_l_b << endl;
system("pause");
return 0;
}
/*总结:
不在全局区中:局部变量、const修饰的局部变量(局部常量)
在全局区中:全局变量、静态变量(static)、常量(字符串常量、const修饰的全局变量(全局常量))*/
2. 栈区
栈区数据注意事项 --- 不要返回局部变量的地址
栈区的数据由编译器管理开辟和释放
#include <iostream>
using namespace std;
//栈区数据注意事项 --- 不要返回局部变量的地址
//栈区的数据由编译器管理开辟和释放
int * func()
{
int a = 10; //局部变量 存放在栈区,栈区的数据在函数执行完自动释放
return &a; //返回局部变量的地址
}
int main()
{
//接受func函数的返回值
int * p = func();
cout << *p << endl; //第一次可以打印正确的结果因为编译器做了一次保留
cout << *p << endl; //第二次就不再保留了
system("pause");
return 0;
}
3. 堆区
利用new关键字 可以将数据开辟到堆区
指针 本质也是局部变量,放在栈上,指针保存的数据是放在堆区的
#include <iostream>
using namespace std;
int * func()
{
//利用new关键字 可以将数据开辟到堆区
//指针 本质也是局部变量,放在栈上,指针保存的数据是放在堆区的
int * p = new int(10); //接收地址
//int a = 10;
return p; //返回地址
}
int main()
{
//在堆区开辟数据
int * p = func();//接受地址
cout << *p << endl; //返回堆区的具体值
cout << *p << endl; //一直保留值
cout << *p << endl;
cout << *p << endl;
system("pause");
return 0;
}
4. new关键词
语法:
new 数据类型
利用new创建的数据,会返回该数据对应的类型的指针
堆区开辟的数据,由程序员手动开辟,手动释放,释放利用操作符delete
#include <iostream>
using namespace std;
/*语法:
new 数据类型
利用new创建的数据,会返回该数据对应的类型的指针
堆区开辟的数据,由程序员手动开辟,手动释放,释放利用操作符delete*/
//1、new的基本语法
int * func()
{
//在堆区创建整型数据
//new返回是 该数据类型的指针
int *p = new int(10);
return p;
}
void test01()
{
int *p = func();
cout << *p << endl;
//堆区的数据由程序员开辟,释放
//如果想要释放堆区的数据,利用关键字delete
delete p;//内存已经被释放,再次访问是非法操作,会报错
//cout << *p << endl;
}
//2、在堆区利用new开辟一个数组
void test02()
{
//创建10个整型数据的数组,在堆区
int * arr = new int[10]; //10代表数组有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();
//2、在堆区利用new开辟数组
test02();
system("pause");
return 0;
}