简介
大家好!我是Tony,一个热爱技术,希望运用技术改变生活的的追梦男孩。闲话不多说,今天聊聊iOS的线程保活。主要内容如下:
- 线程保活的运用
- 线程保活的方法
- 保活的线程如何回收
线程保活运用
在实际开发中经常会遇到一些耗时,且需要频繁处理的工作,这部分工作与UI无关,比如说大文件的下载,后台间隔一段时间进行数据的上报,APM中开启一个watch dog线程等。
线程保活的方法
我们都知道运用启动后,后开启一个主线程,这个线程一直监听这各种事件源,这个监听器就是RunLoop.对于RunLoop的原理分析,大家可以阅读我的另一篇文章,这里就不做具体的描述。
自定义线程
这个我创建了一个TYThread,内容如下:
#import "TYThread.h"
@implementation TYThread
- (void)dealloc {
NSLog(@"%s",__func__);
}
@end
仅重写了dealloc方法,下面是具体的测试代码
MJThread *thread = [[MJThread alloc] initWithTarget:self selector:@selector(run) object:nil];
[thread start];
//run方法
- (void)run {
@autoreleasepool {
for (int i = 0; i < 100; i++) {
NSLog(@"----子线程任务 %ld",(long)i);
}
NSLog(@"%@----子线程任务结束",[NSThread currentThread]);
}
}
run方法执行完毕后,TYThread的dealloc方法也执行了,说明一般情况下开启线程任务后,当任务执行完毕后,线程就会被销毁,如果想让线程不死掉的话,需要为线程添加一个RunLoop,具体代码如下:
- (void)run {
@autoreleasepool {
for (int i = 0; i < 100; i++) {
NSLog(@"----子线程任务 %ld",(long)i);
}
NSLog(@"%@----子线程任务结束",[NSThread currentThread]);
NSRunLoop *runLoop = [NSRunLoop currentRunLoop];
// 往RunLoop里面添加Source\Timer\Observer,Port相关的是Source1事件
//添加了一个Source1,但是这个Source1也没啥事,所以线程在这里就休眠了,不会往下走,----end----一直不会打印
[runLoop addPort:[NSMachPort port] forMode:NSRunLoopCommonModes];
[runLoop run];
NSLog(@"%s ----end----", __func__);
}
}
通过打印发现,线程的dealloc方法不会执行,NSLog(@"%s ----end----", __func__);
也不会执行。下面通过performSelector方法,往线程中添加任务
- (IBAction)start:(id)sender {
[self performSelector:@selector(doSomethingInSubThread) onThread:self.thread withObject:nil waitUntilDone:NO];
//waitUntilDone:YES 等到子线程任务执行完再执行下面NSLog
//NO 不用等到子线程执行完再执行下面NSLog(下面NSLog在主线程,test在子线程,同时执行)
NSLog(@"123");
}
任务可以正常执行,说明线程一直是活着的。
保活的线程如何回收
添加stop的执行方法如下:
- (IBAction)stop:(id)sender {
[self performSelector:@selector(quitRunLoop) onThread:self.thread withObject:nil waitUntilDone:NO];
}
解决循环引用问题
//如果使用如下方式创建thread,self会引用thread,thread会引用self,会造成循环引用。
TYThread *thread = [[TYThread alloc] initWithTarget:self selector:@selector(run) object:nil];
//需要在quitRunLoop中,进行如下设置
- (void)quitRunLoop {
// 设置标记为NO
self.stopped = YES;
// 停止RunLoop
CFRunLoopStop(CFRunLoopGetCurrent());
[self.thread cancel];
//解决循环引用问题
self.thread = nil;
NSLog(@"%s %@", __func__, [NSThread currentThread]);
}
这样就能释放掉线程