NSTimer-计时器-01基础

是什么?
@interface NSTimer : NSObject
在经过一定时间间隔后触发的计时器,可将指定的消息发送到目标对象。

使用定时器
+scheduledTimerWithTimeInterval:taget:selector:userInfo:repeasts:

"ti" - 每隔多少秒,触发计时器
"target" - 调用"哪个类"的方法。 
"selector" - "什么方法"(也就是做什么事情). 如果传参,传递的是计时器对象本身.
  如: "timerFireMethod:"
   - (void)timerFireMethod:(NSTimer *)timer
"userInfo" - 计时器的用户信息.可以为 nil。
"repeats" - YES,重复调用,直到计时器销毁。NO,计时器将在其触发后失效。

返回新的"NSTimer对象"
+ (NSTimer *)scheduledTimerWithTimeInterval:(NSTimeInterval)ti 
                                     target:(id)aTarget 
                                   selector:(SEL)aSelector 
                                   userInfo:(id)userInfo 
                                    repeats:(BOOL)yesOrNo;

举例 - 1

假设: self 是 ViewController.
每隔"2秒"调用一次"当前类的timerScroll方法",一直循环调用.
(在ViewController里面没有找到timerScroll方法,则报错)

[NSTimer scheduledTimerWithTimeInterval: 2.0 target:self selector: @selector(timerScroll) userInfo:nil  repeats:YES];
-- 未找到"timerScroll"方法
reason: '-[ViewController timerScroll]: unrecognized selector sent to instance 0x7fc22bd4b1f0'

举例 - 2

[NSTimer scheduledTimerWithTimeInterval: 2.0 target:self selector: @selector(timerScroll:) userInfo:@"用户信息" repeats:NO];
-(void)timerScroll:(NSTimer *)timer{
    NSLog(@"userInfo =%@, timer = %@",timer.userInfo,timer);
}
"效果如下:"
userInfo =用户信息, timer = <__NSCFTimer: 0x600003f62d00>
"说明: "
1. "userInfo" 就像发信息,那边发什么信息,这里就接收什么信息.
2. "repeats:NO" 说明"NSTimer"只运行一次!
3. "timerScroll :" 传递的是"NSTimer"本身.

block - 方式使用NSTimer
+scheduledTimerWithTimeInterval: repeats:block:

"interval" - 时间间隔
"repeats" - 是否重复
"block" -  需要定时运行的 "代码"
+ (NSTimer *)scheduledTimerWithTimeInterval:(NSTimeInterval)interval 
                                    repeats:(BOOL)repeats 
                                      block:(void (^)(NSTimer *timer))block;

举例 - 1

"每隔2秒,调用timerScroll方法"
[NSTimer scheduledTimerWithTimeInterval:2.0 repeats:YES block:^(NSTimer * _Nonnull timer) {
        [self timerScroll]; 
    }];

销毁定时器

-(void)stopTimer{
    [self.timer invalidate];
    self.timer = nil; "strong修饰的Timer,需要将指针清空.避免出现野指针问题"
}

NSTimer 使用strong修饰还是weak修饰呢? 为什么?

  • 一般来说,OC对象用strong来修饰.控件用weak来修饰.
  • NSTimer是OC对象,应该来说是用strong修饰.
  • 但是,有这么一个情况: NSTimer可以独立的运行.不需要self.timer = [NSTimer ....]来强指针指向.
    如:[NSTimer scheduledTimerWithTimeInterval:2.0 ....]这样写,NSTimer照常工作.这说明一直都有个强指针指向NSTimer.所以定时器不会被销毁.
  • 所以根据,能用weak就不用strong的原则, NSTimer 最好使用weak来修饰.
  • 因为weak修饰的对象一旦被销毁,则全部销毁. 不会有历史遗留问题而引的野指针.
  • weak来修饰NSTimer,上面示例中可以省去self.timer = nil;.

你可能感兴趣的:(NSTimer-计时器-01基础)