今天学数据结构,在孙弋教授lesson3内存管理,写了一段代码
#include <iostream>
using namespace std;
void memorisePractise() {
int *tempIndicator = new int[10];
for (int i = 0; i < 10; i++) {
*tempIndicator= 2 * i;
cout << *tempIndicator << endl;
tempIndicator++;
}
delete []tempIndicator;
}
int main()
{
memorisePractise();
std::cout << "Hello World!\n";
}
这里发生的现象
1.执行delete[]语句时,程序直接弹窗,崩溃。
2.执行delete[]语句时,程序卡死。将delete语句注释掉,又正常了,但发生了内存泄露。
发生的原因是
指针tempIndecator++无意中使指针中发生移动,不再指向数组的首地址
解决方法:
引入一个新的指针Indector,赋值为tempIndecator,使Indector移动
修改后的代码
#include <iostream>
using namespace std;
void memorisePractise() {
int *tempIndicator = new int[10];
int* Indicator = tempIndicator;
for (int i = 0; i < 10; i++) {
*Indicator= 2 * i;
cout << *Indicator << endl;
Indicator++;
}
delete []tempIndicator;
}
int main()
{
memorisePractise();
std::cout << "Hello World!\n";
}
版权声明:本文为m0_52509348原创文章,遵循 CC 4.0 BY-SA 版权协议,转载请附上原文出处链接和本声明。