我有这样的结构,
struct int * ramp_output (int * L10)
{
int * r;
r = L10;
return(r);
}
我应该从L10和r中释放内存吗?
答案 0 :(得分:0)
结构不带参数或返回值。如果从代码中删除“struct”,这将是有效的(虽然是微不足道的)函数:它只返回指向同一事物的指针,它的参数是指针。你不需要或者想要释放任何记忆。
答案 1 :(得分:0)
作为一般规则,在C ++中释放内存的唯一时间是使用“new”关键字创建内存时。例如,
int * test = new int;
在这种情况下,指针“test”指向堆上“某人”应该删除的整数。谁负责删除它取决于程序的设计,如果将指针传递给其他函数并且存储/使用它的副本,则不应删除它。
至于你的示例代码,它实际上没有任何意义,所以你必须告诉我们你正在努力做些什么来帮助它。
答案 2 :(得分:0)
首先,你的代码不会使用那里的杂散“struct”进行编译。删除它,我们可以回答你的问题:它取决于参数的分配方式,但无论如何你应该只做一次。
int main()
{
int a[] = { 1, 1, 1 };
int i = 42;
int* pi1 = &i;
int* pi2 = new int[10];
int* pi3 = new int(42);
std::vector<int> v( 10 );
std::shared_ptr<int> sp( new int(42) );
int* r1 = ramp_output(a);
int* r2 = ramp_output(&i);
int* r3 = ramp_output(pi1);
int* r4 = ramp_output(pi2);
int* r5 = ramp_output(pi3);
int* r6 = ramp_output(&v[0]);
int* r7 = ramp_output(sp.get());
// what to dealloc? Only these
delete [] pi2; // or delete [] r4; but not both!
delete pi3; // or delete r5; but not both!
}
所有其他人都以这种或那种方式自我清理。