Objective-C延迟执行方法总结

1.performSelector
这种方法使用起来比较方便:

    [self performSelector:@selector(delayAction) withObject:nil afterDelay:2];

系统也提供了取消要执行的方法:

    [[self class] cancelPreviousPerformRequestsWithTarget:self selector:@selector(delayAction) object:nil];

2.NSTimer
使用Timer来延迟执行某个方法时,我们通常定义一个NSTimer的属性:

    _timer = [NSTimer scheduledTimerWithTimeInterval:2 target:self selector:@selector(delayAction) userInfo:nil repeats:NO];

在页面销毁的时候要把Timer也销毁掉以免内存泄漏:

    _timer = nil;
    [_timer invalidate];

系统没有为NSTimer提供取消延迟执行的方法,即使把Timer销毁掉,延迟的方法依然会执行。但是我们可以在延迟执行的方法内加一个判断来控制是否执行:

    if (_timer) {
        NSLog(@"delay action");
    }

这样就达到了通过销毁timer来实现取消延迟执行的操作了。
3.GCD

        dispatch_time_t popTime = dispatch_time(DISPATCH_TIME_NOW, (int64_t)(2 * NSEC_PER_SEC));
        dispatch_after(popTime, dispatch_get_main_queue(), ^(void){
            [self delayAction];
        });

通过dispatch_after同样无法取消延迟执行的方法,可是参照着timer的思路,我们同样可以自己设置一个标记来控制延迟执行的操作:
设置一个BOOL值初始值为NO:

@property (nonatomic, assign) BOOL isDelay;

延迟操作:

        dispatch_time_t popTime = dispatch_time(DISPATCH_TIME_NOW, (int64_t)(2 * NSEC_PER_SEC));
        dispatch_after(popTime, dispatch_get_main_queue(), ^(void){
            [self delayAction];
        });

要延迟的方法内部:

    if (_isDelay == NO) {
        NSLog(@"delay action");
    }

这样便可通过设置 isDelay = YES; 来取消延迟操作了。
4.NSThread

    [NSThread sleepForTimeInterval:2];

NSThread方式很简单,把当前线程进入睡眠状态,到时间后自动唤醒,继续往下执行,但并不能主动进行唤醒操作。

你可能感兴趣的:(iOS开发,iOS开发入门到精通,iOS开发常见问题及解决方案)