1.进程:在系统中正在运行的一个应用程序
线程:一个进程要想执行任务必须有线程(每一个进程至少有一条进程)
2.主线程:显示、刷新UI界面,处理UI事件,与用户交互的都是主线程
二. 多线程的几种方式(面试常问)
1.Pthread:一套通用的多线程API,使用于UNix\Linux\Window等系统,跨平台,使用难度大,运用c语言,程序员自己管理生命周期。
2.NSthread:使用更加面向对象,简单易用,可直接操作线程对象,OC语言,程序员半管理,只用管理创建,不担心释放。
3.GCD:旨在替代NSThread等线程技术,充分利用设备的多核,自动管理生命周期
4.NSOperation:基于GCD(底层是GCD),比GCD多了一些更简单实用的功能,使用更加面向对象;自动管理生命周期。
三.线程使用
系统会自动在子线程中调用传入的函数
/*
第一个参数: 线程的代号(当做就是线程)
第二个参数: 线程的属性
第三个参数: 指向函数的指针, 就是将来线程需要执行的方法
第四个参数: 给第三个参数的指向函数的指针 传递的参数
void *(*functionP)(void *)
void * == id
一般情况下C语言中的类型都是以 _t或者Ref结尾
*/
pthread_t threadId;
// 只要create一次就会创建一个新的线程
pthread_create(&threadId , NULL, &demo, "lnj");
// 第一种创建方式
NSThread *thread = [[NSThread alloc] initWithTarget:self selector:@selector(run) object:nil];
[NSThread detachNewThreadSelector:@selector(run) toTarget:self withObject:nil];
// 系统就会自动创建一个子线程, 并且在子线程中自动执行self的@selector方法
[self performSelectorInBackground:@selector(run) withObject:nil];
线程状态
执行完毕, 或者被强制关闭 -> 死亡
注意: 如果强制关闭线程, 关闭之后的其它操作都无法执行
// 阻塞线程
// [NSThread sleepForTimeInterval:2.0];
[NSThread sleepUntilDate:[NSDate dateWithTimeIntervalSinceNow:2.0]];
[NSThread exit];
互斥锁
@synchronized(self)
{
// 需要被锁定的代码
}
原子和非原子属性
自旋锁和互斥锁对比
[self performSelectorInBackground:@selector(download2:) withObject:url];
[self performSelectorOnMainThread:@selector(showImage:) withObject:image waitUntilDone:YES];
[self performSelectorOnMainThread:@selector(showImage:) withObject:image waitUntilDone:NO];
[self.imageView performSelectorOnMainThread:@selector(setImage:) withObject:image waitUntilDone:YES];
[self performSelector:@selector(showImage:) onThread:[NSThread mainThread] withObject:image waitUntilDone:YES];
任务和队列
如何执行任务
队列的类型
GCD的各种组合
// [NSTimer scheduledTimerWithTimeInterval:2.0 target:self selector:@selector(run) userInfo:nil repeats:NO];
// 内部实现原理就是NSTimer
// [self performSelector:@selector(run) withObject:nil afterDelay:2.0];
// 将需要执行的代码, 和方法放在一起, 提高代码的阅读性
// 相比NSTimer来说, GCD的延迟执行更加准确
dispatch_after(dispatch_time(DISPATCH_TIME_NOW, (int64_t)(2.0 * NSEC_PER_SEC)), dispatch_get_main_queue(), ^{
NSLog(@"%@", [NSThread currentThread]);
NSLog(@"run");
static dispatch_once_t onceToken;
dispatch_once(&onceToken, ^{
NSLog(@"我被执行了");
});
/*
第一个参数: 需要执行几次任务
第二个参数: 队列
第三个参数: 当前被执行到得任务的索引
*/
/*
dispatch_apply(10, dispatch_get_global_queue(0, 0), ^(size_t index) {
NSLog(@"%@, %zd",[NSThread currentThread] , index);
});
*/
barrier
group
原文:http://www.cnblogs.com/wk520/p/4719789.html