NSTimer-定时器的使用浅析 博客分类: iOSOSX
你想重复的执行一个特定任务,这个任务具有一定的延时。例如:只要你的程序在运行,你想每秒钟更新一次屏幕中的视图。
@property (nonatomic, strong) NSTimer *paintingTimer;
// 定时器执行的方法
- (void)paint:(NSTimer *)paramTimer{
NSLog(@"定时器执行的方法");
}
// 开始定时器
- (void) startPainting{
// 定义一个NSTimer
self.paintingTimer = [NSTimer scheduledTimerWithTimeInterval:1.0
target:self
selector:@selector(paint:) userInfo:nil
repeats:YES];
}
// 停止定时器
- (void) stopPainting{
if (self.paintingTimer != nil){
// 定时器调用invalidate后,就会自动执行release方法。不需要在显示的调用release方法
[self.paintingTimer invalidate];
}
}
- (void)viewDidAppear:(BOOL)animated{
[self startPainting];// 开始定时器
}
- (void)viewDidDisappear:(BOOL)animated{
[self stopPainting];// 停止定时器
}
scheduledTimerWithTimeInterval:target:selector:userInfo:repeats: 方法
+ (NSTimer *)scheduledTimerWithTimeInterval:(NSTimeInterval)seconds target:(id)targetselector:(SEL)aSelector userInfo:(id)userInfo repeats:(BOOL)repeats
seconds:需要调用的毫秒数
target:调用方法需要发送的对象。即:发给谁
userInfo:发送的参数
repeats:指定定时器是否重复调用目标方法
Painting
Main Thread = {name = (null), num = 1}
Current Thread = {name = (null), num = 1}
Painting
Main Thread = {name = (null), num = 1}
Current Thread = {name = (null), num = 1}
我们可以把调度一个计时器与启动汽车的引擎相比较。别调度的计时器就是运行中的引 擎。没有被调度的计时器就是一个已经准备好启动但是还没有运行的引擎。我们在程序里 面,无论何时,都可以调度和取消调度计时器,就像根据我们所处的环境,决定汽车的引擎 室启动还是停止。如果你想要在程序中,手动的在某一个确定时间点调度计时器,可以使用 NSTimer 的类方法timerWithTimeInterval:target:selector:userInfo:repeats: 方法。
self.paintingTimer = [NSTimer timerWithTimeInterval:1.0
target:self
selector:@selector(paint:)
userInfo:nil
repeats:YES];
// 当需要调用时,可以把计时器添加到事件处理循环中
[[NSRunLoop currentRunLoop] addTimer:self.paintingTimer forMode:NSDefaultRunLoopMode];
- (void) startPainting{
// 定义将调用的方法
SEL selectorToCall = @selector(paint:);
// 为SEL进行 方法签名
NSMethodSignature *methodSignature =[[self class] instanceMethodSignatureForSelector:selectorToCall];
// 初始化NSInvocation
NSInvocation *invocation =[NSInvocation invocationWithMethodSignature:methodSignature];
[invocation setTarget:self];
[invocation setSelector:selectorToCall];
self.paintingTimer = [NSTimer timerWithTimeInterval:1.0
invocation:invocation
repeats:YES];
// 当需要调用时,可以把计时器添加到事件处理循环中
[[NSRunLoop currentRunLoop] addTimer:self.paintingTimerforMode:NSDefaultRunLoopMode];
}
是Object-C 中的消息传递着。它可以以“方法签名”的方式来封装一个对象的方法,并且在各个对象中传送!主要可以用在NSTimer中。