NSTimer

特别说明:原文出处http://www.jianshu.com/p/3ccdda0679c1

创建

// 创建一个定时器,但是么有添加到运行循环,我们需要在创建定时器后手动的调用 NSRunLoop 对象的 addTimer:forMode: 方法。
+ (NSTimer *)timerWithTimeInterval:(NSTimeInterval)ti invocation:(NSInvocation *)invocation repeats:(BOOL)yesOrNo; 


// 创建一个timer并把它指定到一个默认的runloop模式中,并且在 TimeInterval时间后 启动定时器 
+ (NSTimer *)scheduledTimerWithTimeInterval:(NSTimeInterval)ti invocation:(NSInvocation *)invocation repeats:(BOOL)yesOrNo; 


// 创建一个定时器,但是么有添加到运行循环,我们需要在创建定时器后手动的调用 NSRunLoop 对象的 addTimer:forMode: 方法。 
+ (NSTimer *)timerWithTimeInterval:(NSTimeInterval)ti target:(id)aTarget selector:(SEL)aSelector userInfo:(nullable id)userInfo repeats:(BOOL)yesOrNo; 


// 创建一个timer并把它指定到一个默认的runloop模式中,并且在 TimeInterval时间后 启动定时器 
+ (NSTimer *)scheduledTimerWithTimeInterval:(NSTimeInterval)ti target:(id)aTarget selector:(SEL)aSelector userInfo:(nullable id)userInfo repeats:(BOOL)yesOrNo; 


// 默认的初始化方法,(创建定时器后,手动添加到 运行循环,并且手动触发才会启动定时器)
- (instancetype)initWithFireDate:(NSDate *)date interval:(NSTimeInterval)ti target:(id)t selector:(SEL)s userInfo:(nullable id)ui repeats:(BOOL)rep NS_DESIGNATED_INITIALIZER; 


开启

// 启动 Timer 触发Target的方法调用但是并不会改变Timer的时间设置。 即 time没有到达到,Timer会立即启动调用方法且没有改变时间设置,当时间 time 到了的时候,Timer还是会调用方法。

- (void)fire;


// 设置定时器的启动时间,常用来管理定时器的启动与停止 
@property (copy) NSDate *fireDate; 

timer.fireDate = [NSDate distantPast];  // 开启定时器
timer.fireDate = [NSDate distantFuture]; // 停止定时器
[timer setFireDate:[NSDate date]]; // 继续定时器

停止

// 获取定时器是否有效
@property (readonly, getter=isValid) BOOL valid;

// 停止 Timer,即将定时器设置成无效 ---> 将定时器从循环池中移除
- (void)invalidate;

其他属性

// 这个是一个只读属性,获取定时器调用间隔时间
@property (readonly) NSTimeInterval timeInterval;
// 这是7.0之后新增的一个属性,因为NSTimer并不完全精准,通过这个值设置误差范围
@property NSTimeInterval tolerance NS_AVAILABLE(10_9, 7_0);

注意

  • 参数repeats是指定是否循环执行,YES将循环,NO将只执行一次。

  • timerWithTimeInterval这两个类方法创建出来的对象如果不用 addTimer: forMode方法手动加入主循环池中,将不会循环执行。

  • scheduledTimerWithTimeInterval 这两个方法会将定时器添加到当前的运行循环,运行循环的模式为默认模式。如果需要第一次就执行一次,需要调用开启定时器的方法。

  • init方法需要手动加入循环池,它会在设定的启动时间启动。

  • 在页面释放前先释放定时器。


内存释放问题

  • 如果我们启动了一个定时器,在某个界面释放前,将这个定时器停止,甚至置为nil,都不能使这个界面释放,原因是系统的循环池中还保有这个对象。

NSTimer为什么要添加到RunLoop中才会有作用

1、NSTimer其实也是一种资源(事件),我们会发现所有的source(事件)如果要起作用,就得加到runloop中,而且此runloop应该是有效的,执行着的。
2、同理timer这种资源要想起作用,那肯定也需要加到runloop中才会有效。
3、如果一个runloop里面不包含任何资源(事件)的话,运行该runloop时会处于一种休眠状态等待下一个事件。所以如果创建了timer但是不添加runloop的话,timer资源处于一种闲置等待状态。


Code

//创建timer
_requestTimer = [NSTimer scheduledTimerWithTimeInterval:requestInterval target:self selector:@selector(requestDriverPosition) userInfo:nil repeats:YES];
_requestTimer.fireDate = [NSDate distantPast];  // 启动timer
//移除timer
- (void)removeTimer {
    if (_requestTimer) {
        _requestTimer.fireDate = [NSDate distantFuture]; //停止定时器
        [_requestTimer invalidate];
        _requestTimer = nil;
    }
}

原文:http://www.jianshu.com/p/3ccdda0679c1

你可能感兴趣的:(NSTimer)