iOS 延时方法,定时器。等待一段时间在执行
鸣谢:https://www.cnblogs.com/wuotto/p/9354305.html
概述
项目开发中经常会用到方法的延时调用,下面列举常用的几种实现方式:
1.performSelector
2.NSTimer
3.NSThread线程的sleep
4.GCD
1.performSelector
[self performSelector:@selector(delayMethod) withObject:nil/*可传任意类型参数*/ afterDelay:2.0];
此方法是一种非阻塞的执行方式。
取消方法:
第一种: /** * 取消延迟执行 * * @param aTarget 一般填self * @param aSelector 延迟执行的方法 * @param anArgument 设置延迟执行时填写的参数(必须和上面performSelector方法中的参数一样) */ + (void)cancelPreviousPerformRequestsWithTarget:(id)aTarget selector:(SEL)aSelector object:(nullable id)anArgument; 第二种: //撤回全部申请延迟执行的方法 + (void)cancelPreviousPerformRequestsWithTarget:(id)aTarget; 上面2种都是类方法,不能用实例对象去调用,只能用NSObject。 eg: [NSObject cancelPreviousPerformRequestsWithTarget:self];
2.NSTimer定时器
//这里是延时两秒钟,其中repeats是决定改延时是否无限重复 NSTimer *timer = [NSTimer scheduledTimerWithTimeInterval:2.0 target:self selector:@selector(delayMethod) userInfo:nil repeats:NO];
此方法是一种非阻塞的执行方式
取消执行方法:[time invalidate];
3.NSThread线程的sleep
[NSThread sleepForTimeInterval:2.0];//延时2秒
此方法是一种阻塞执行方式,建议放在子线程中执行,否则会卡住界面。但有时还是需要阻塞执行,如进入欢迎界面需要沉睡3秒才进入主界面时。
没有找到取消执行方式。
4.GCD
__block ViewController *weakSelf = self; dispatch_time_t delayTime = dispatch_time(DISPATCH_TIME_NOW, (int64_t)(2.0 * NSEC_PER_SEC)); dispatch_after(delayTime, dispatch_get_main_queue(), ^{ [weakSelf delayMethod]; });
此方法可以在参数中选择执行的线程,是一种非阻塞执行方式。因为该方法交给了GCD自动处理,因此不容易取消操作。