3

我正面临一个奇怪的泄漏。以下Car类的对象永远不会被释放。

但是,如果我去掉实例变量_unsafe_self,而是在方法中声明(并像以前一样分配)变量init,泄漏就会消失。

这可能是什么原因造成的?我认为__weak总是很弱,无论它是否是实例变量。

@interface Car : NSObject
@end

@implementation Car {
  id _obs;
  __weak Car *_unsafe_self;
}

- (id)init {
  if (!(self = [super init]))
    return nil;

  _unsafe_self = self;

  _obs = [[NSNotificationCenter defaultCenter]
          addObserverForName:NSWindowDidMoveNotification
          object:nil
          queue:[NSOperationQueue mainQueue]
          usingBlock:^(NSNotification *note) {
              NSLog(@"hello %@", _unsafe_self);
            }];

  return self;
}

- (void)dealloc {
  [[NSNotificationCenter defaultCenter] removeObserver:_obs];
}
@end
4

1 回答 1

9

_unsafe_self与 相同self->_unsafe_self,因此块在

_obs = [[NSNotificationCenter defaultCenter]
          addObserverForName:NSWindowDidMoveNotification
          object:nil
          queue:[NSOperationQueue mainQueue]
          usingBlock:^(NSNotification *note) {
              NSLog(@"hello %@", _unsafe_self);
            }];

捕获self,导致阻止self被释放的保留周期。

这不会导致保留周期:

__weak Car *weakSelf = self;
_obs = [[NSNotificationCenter defaultCenter]
        addObserverForName:NSWindowDidMoveNotification
        object:nil
        queue:[NSOperationQueue mainQueue]
        usingBlock:^(NSNotification *note) {
            NSLog(@"hello %@", weakSelf);
        }];

使用属性self.unsafe_self会使代码中的这一点更加明显,但是已经有足够多的“属性与 ivar”问答 :-)

于 2013-04-22T19:29:08.070 回答