iOS自动释放池块

时间:2013-04-24 17:28:25

标签: ios memory-management objective-c-blocks autorelease nsautoreleasepool

当我到 autorelease pool blocks 时,我正在阅读关于内存管理的苹果文档。有些事让我思考。

 Any object sent an autorelease message inside the autorelease pool block is  
 released at the end of the block.

我不确定我是否完全理解这一点。在自动释放池块中创建的任何对象无论如何都会在块的末尾释放,因为这是它的生命周期。当它到达块的末尾时,为什么要在对象被释放时需要调用autorelease?

为了更清楚,我将举例说明我的想法:

   @autoreleasepool {

    MyObject *obj = [[MyObject alloc] init]; // no autorelease call here

    /* use the object*/
   //....
   // in the end it should get deallocated because it's lifespan ends, right?
   // so why do we need to call autorelease then?!
  }

PS:请不要告诉我,因为ARC我们不需要做一些事情,因为ARC会照顾它们。我完全清楚这一点,但我想暂时将ARC放在一边,以了解内存管理的机制。

3 个答案:

答案 0 :(得分:28)

Autorelease只是从对象中删除一个保留计数,它不像c中那样立即“释放”内存。当自动释放池结束时,所有自动释放的对象计数为0将释放其内存。

有时您会创建很多对象。一个例子是每次迭代时创建新字符串并将新数据添加到字符串的循环。您可能不需要以前版本的字符串,并且想要释放那些使用的内存。您可以通过显式使用自动释放池来完成此操作,而不是等待它自然地完成。

//Note: answers are psudocode

//Non Arc Env
@autoreleasepool 
{

    MyObject *obj = [[MyObject alloc] init]; // no autorelease call here
    //Since MyObject is never released its a leak even when the pool exits

}
//Non Arc Env
@autoreleasepool 
{

    MyObject *obj = [[[MyObject alloc] init] autorelease]; 
    //Memory is freed once the block ends

}
// Arc Env
@autoreleasepool 
{

    MyObject *obj = [[MyObject alloc] init]; 
    //No need to do anything once the obj variable is out of scope there are no strong pointers so the memory will free

}

// Arc Env
MyObject *obj //strong pointer from elsewhere in scope
@autoreleasepool 
{

    obj = [[MyObject alloc] init]; 
    //Not freed still has a strong pointer 

}

答案 1 :(得分:6)

(主要是提供一些额外的背景; @ Kibitz503可以帮助您找到正确的答案。)

@autoreleasepool {

  MyObject *obj = [[MyObject alloc] init]; // no autorelease call here

  /* use the object*/
  //....
  // in the end it should get deallocated because it's lifespan ends, right?
  // so why do we need to call autorelease then?!
}
  PS:请不要告诉我,因为ARC我们不需要做一些事情,因为ARC会照顾它们。我完全清楚这一点,但我想暂时将ARC放在一边,以了解内存管理的机制。

好的,我们不要考虑ARC。在上面,没有ARC,obj将不会被释放。只是因为ARC添加了额外的release次调用,可能才会被释放(假设您的示例,我们实际上不知道,因为我们不知道use the object中发生了什么)。

正如@ Kibitz503所解释的那样,“发布”并不意味着“解除分配”。在块结束时,自动释放池耗尽,这意味着任何挂起的autorelease调用将在块结束时作为release发送。如果这导致对象达到0保留计数,则将其解除分配。

但是,无论上述情况是否存在,如果没有ARC,这是一个泄漏。

答案 2 :(得分:1)

自动释放池将对象的释放推迟到池的末端,这避免了在它到达结束之前释放它的可能性。所以基本上,它是确保在池结束之前不会释放对象。