iOS基础:timer的repeats对引用情况的影响

0x00 前言

前两天有人问到一个问题,在repeats=NO的时候,timer的引用是怎么样的,我一时没答上来。今天就写了个demo实验下,在repeats为NO时,方法调用前后的引用关系是什么样的。

0x01 repeats = YES

我们都知道在使用timer的时候,如果操作不慎就可能造成循环应用。现在先看下正常使用过程的引用情况。

@property (nonatomic, strong) NSTimer *timer;

self.tiemr = [NSTimer timerWithTimeInterval:1 target:self selector:@selector(time) userInfo:nil repeats:YES];
[[NSRunLoop currentRunLoop] self.tiemr forMode:NSDefaultRunLoopMode];

这种使用很普遍,因此我简单的说下:

  • self持有timer
  • runloop持有timer
  • timer持有self

这时候如果没有妥善处理timer,那么就会造成循环引用。正常的做法:

[timer invalidate];
timer = nil;

0x02 repeats = NO

如果repeats = NO呢?在调用完timer方法前后引用情况又是怎么样的呢?看下例子和输出:

@property (nonatomic, weak) NSTimer *timer;

- (void)viewDidLoad {
    [super viewDidLoad];

    NSTimer *timer = [NSTimer timerWithTimeInterval:1 target:self selector:@selector(time) userInfo:nil repeats:NO];
    [[NSRunLoop currentRunLoop] addTimer:timer forMode:NSDefaultRunLoopMode];
    self.timer = timer;
}

- (void)time {
    NSLog(@"====time");
}

- (void)touchesBegan:(NSSet *)touches withEvent:(UIEvent *)event {
    NSLog(@"%@", self.timer);
}

我在timer启动时开始持续点击,输出如下:
2020-03-29 17:56:46.054176+0800 CrashCatchedDemo[17668:3052162] <__NSCFTimer: 0x600003248b40>
2020-03-29 17:56:46.166618+0800 CrashCatchedDemo[17668:3052162] <__NSCFTimer: 0x600003248b40>
2020-03-29 17:56:46.178752+0800 CrashCatchedDemo[17668:3052162] ====time
2020-03-29 17:56:46.312373+0800 CrashCatchedDemo[17668:3052162] (null)
2020-03-29 17:56:46.447903+0800 CrashCatchedDemo[17668:3052162] (null)

例子中的timer是weak修饰的,因此self对timer是没有引用的。
在timer方法调用前,引用情况如下:

  • runloop持有timer
  • timer持有self

在timer方法调用后,引用情况如下:

  • runloop不再持有timer
  • timer被释放
  • timer不再持有self

因此通过例子可以得出,timer在repeats = NO时,timer方法调用前runloop会持有它,在调用后,runloop会自动解除引用。那么如果self对timer是强持有呢?是否还是会循环引用呢?
看下例子:

@property (nonatomic, strong) NSTimer *timer;

- (void)viewDidLoad {
    [super viewDidLoad];

    self.timer = [NSTimer timerWithTimeInterval:3 target:self selector:@selector(time) userInfo:nil repeats:NO];
    [[NSRunLoop currentRunLoop] addTimer:self.timer forMode:NSDefaultRunLoopMode];
}

- (void)time {
    NSLog(@"====time");
}

- (void)dealloc {
    NSLog(@"dealloc %@", self.timer);
}

- (void)touchesBegan:(NSSet *)touches withEvent:(UIEvent *)event {
    NSLog(@"touchesBegan %@", self.timer);
    [self dismissViewControllerAnimated:YES completion:nil];
}

// 输出
2020-03-29 18:20:47.349896+0800 CrashCatchedDemo[17833:3064866] touchesBegan <__NSCFTimer: 0x600001b289c0>
2020-03-29 18:20:49.305831+0800 CrashCatchedDemo[17833:3064866] ====time
2020-03-29 18:20:49.306092+0800 CrashCatchedDemo[17833:3064866] dealloc <__NSCFTimer: 0x600001b289c0>

出乎意料,控制器在timer的方法调用完毕后释放了。
这就说明在timer的方法结束后,timer会释放对self的持有。因此可以得出结论,如果timer的repeats = NO,不会造成循环引用。

0x03 结论

当timer的repeats = NO,不会造成循环引用。因为在方法调用完后,runloop会解除对timer的引用,timer会解除对target的引用。

你可能感兴趣的:(iOS基础:timer的repeats对引用情况的影响)