每个iOS应用程序都有个专门用来更新显示UI界面、处理用户的触摸事件的主线程,因此不能将其他太耗时的操作放在主线程中执行,不然会造成主线程堵塞(出现卡机现象),带来极坏的用户体验。一般的解决方案就是将那些耗时的操作放到另外一个线程中去执行,多线程编程是防止主线程堵塞,增加运行效率的最佳方法。
iOS支持多个层次的多线程编程,层次越高的抽象程度越高,使用也越方便,也是苹果最推荐使用的方法。
下面根据抽象层次从低到高依次列出iOS所支持的多线程编程方法:
1.Thread :是三种方法里面相对轻量级的,但需要管理线程的生命周期、同步、加锁问题,这会导致一定的性能开销。
2.Cocoa Operations:是基于OC实现的,NSOperation以面向对象的方式封装了需要执行的操作,不必关心线程管理、同步等问题。NSOperation是一个抽象基类,iOS提供了两种默认实现:NSInvocationOperation和NSBlockOperation,当然也可以自定义NSOperation。
3.Grand Central Dispatch(简称GCD,iOS4才开始支持):提供了一些新特性、运行库来支持多核并行编程,它的关注点更高:如何在多个cpu上提升效率。
//************ 一:初始化 **************//
// 1 . 动态方法
NSThread *thread = [[NSThread alloc] initWithTarget:self selector:@selector(runOne) object:nil];
thread.threadPriority = 1;
[thread start];
// 2. 静态方法
[NSThread detachNewThreadSelector:@selector(runOne) toTarget:self withObject:nil];
// 调用完毕后,会马上创建并开启新线程
// 3. 隐式的创建线程
[self performSelectorInBackground:@selector(runOne) withObject:nil];
//************ 二:获取当前线程 **************//
NSThread *currentTh = [NSThread currentThread];
//************ 三:获取主线程 **************//
NSThread *main = [NSThread mainThread];
//************ 四、暂停当前线程 **************//
// 暂停2s
[NSThread sleepForTimeInterval:2];
NSDate *date = [NSDate dateWithTimeInterval:2 sinceDate:[NSDate date]];
[NSThread sleepUntilDate:date];
//************ 五、线程间的通信 **************//
//1.在指定线程上执行操作
NSThread *currentThread = [NSThread currentThread];
[self performSelector:@selector(runOne) onThread:currentThread withObject:nil waitUntilDone:NO];
//2.在主线程上执行操作
[self performSelectorOnMainThread:@selector(runOne) withObject:nil waitUntilDone:YES];
//3.在当前线程执行操作
[self performSelector:@selector(runOne) withObject:nil];
//************ 六、优缺点**************//
// 1.优点:NSThread比其他两种多线程方案较轻量级,更直观地控制线程对象
// 2.缺点:需要自己管理线程的生命周期,线程同步。线程同步对数据的加锁会有一定的系统开销
最后还是老规矩:转自:http://blog.youkuaiyun.com/q199109106q/article/details/8565844