使用new
和delete
运算符时遇到一个小问题。我在很多地方读到每个new
运算符必须与delete
对应,据我所知,使用new
创建的变量将一直存在,直到被delete
命中。 1}}。如果您愿意,请查看以下代码,它很长但很简单:
#include <iostream>
using namespace std;
int* testFunction1();
int* testFunction2();
int main(){
int* ptr1 = testFunction1();
int* ptr2 = testFunction2();
cout << *ptr1 << endl; // outputs 5
cout << *(ptr1 - 1) << endl; // outputs random int
cout << *ptr2 << endl; // outputs random int
cout << ptr1 << endl; //prints address of b from testFunction1()
cout << ptr1 - 1 << endl; // prints address of a and c from testFunction1()
cout << ptr2 << endl; // prints address of a and c from testFunction1()
cout << endl;
// delete ptr1; won't work
return 0;
}
int* testFunction1(){
int a = 5, b = 10;
int* pointerToInt1 = new int;
pointerToInt1 = &a;
pointerToInt1 = &b;
cout << &a << endl;
cout << &b << endl;
return pointerToInt1;
}
int* testFunction2(){
int c = 5;
int* pointerToInt2 = &c;
cout << &c << endl;
return pointerToInt2;
}
我有两个问题:
我认为,使用testFunction1()
,我按值返回指针。但是我不知道如何修复它,返回对指针的引用,这样我就可以释放main方法中的内存(或者就此而言,任何其他方法)。
当我取消引用*ptr1
时,为什么我得到5作为输出?我的意思是,从地址输出中可以清楚地看到c
中分配给testFunction2()
的值存储在那里,但为什么会这样呢?
答案 0 :(得分:1)
您正在设置指向堆栈上分配的变量的指针:
int a = 5, b = 10;
int* pointerToInt1 = new int; // allocates an int on heap
pointerToInt1 = &a; // overwrite pointer with a local variable
返回的指针指向一个在堆栈上自动分配的值,这样当函数退出其范围时,pinter就变为无效。
此外,由于您丢失了对在堆上动态分配的对象的任何引用,因此您无法再将其删除,因此它会泄露内存。
最后,删除尝试删除一个指针,该指针指向在testFunction1
调用期间堆栈上的地址,因此它不再是有效指针,因此delete
没有&#39工作。
答案 1 :(得分:1)
我们不要把你的问题放在一边,先解释你的代码。
您声明并定义了一个名为testFunction1
的函数,该函数返回int
poitner
int* testFunction1(){
int a = 5, b = 10; // define local variables with initial values. a,b have different memory addresses
int* pointerToInt1 = new int; // dynamic allocate pointer(new address) to int
pointerToInt1 = &a; // set pointerToInt1 to point to address of a
pointerToInt1 = &b; // set pointerToInt1 to point to address of b
cout << &a << endl;
cout << &b << endl;
return pointerToInt1; // return pointerToInt1 pointer which currently points to address of b
}
a,b
是函数testFunction1
内的局部变量,它们具有自动持续时间,当函数完成时它们被释放,因此pointerToInt1
实际上是悬空指针并且访问它是未定义的行为。
testFunction1
中也会引入典型的内存泄漏,new
分配的原始内存块将丢失。
int* pointerToInt1 = new int;
pointerToInt1 = &a;
现在,让我们"fix"
函数testFunction1
,是的,我的意思是用双引号修复。
int* testFunction1(){
int a = 5, b = 10;
int* pointerToInt1 = new int;
*pointerToInt1 = a; // copy a to memory pointerToInt1
*pointerToInt1 = b; // copy b to memory pointerToInt1
cout << &a << endl;
cout << &b << endl;
return pointerToInt1; // return pointerToInt1 pointer
}
调用函数testFunction1
后,仍需要删除动态分配的内存块。
int *p = testFunction1();
delete p;
现在,如果你回去看看你的两个问题,你能得到答案吗?