iOS中多线程的实现方案:
1 pthread
a.特点:
1)跨平台
2)使用难度大
b.使用语言:c语言
c.使用频率:几乎不用
d.线程生命周期:由程序员进行管理
2 NSThread
a.特点:
1)面向对象
b.使用语言:OC语言
c.使用频率:偶尔使用
d.线程生命周期:由程序员进行管理
3 GCD
a.特点:
1)充分利用设备的多核
b.使用语言:C语言
c.使用频率:经常使用
d.线程生命周期:自动管理
4 NSOperation
a.特点:
1)基于GCD
2)比GCD多了一些更简单实用的功能
3)更加面向对象
b.使用语言:OC语言
c.使用频率:经常使用
d.线程生命周期:自动管理
一、pthread的基本使用
- pthread的基本使用(需要包含头文件)
//使用pthread创建线程对象
pthread_t thread;
NSString *name = @"wendingding";
//使用pthread创建线程
//第一个参数:线程对象地址
//第二个参数:线程属性
//第三个参数:指向函数的指针
//第四个参数:传递给该函数的参数
pthread_create(&thread, NULL, run, (__bridge void *)(name));
二、NSThread的基本使用
2.1.NSThread线程的创建
- 第一种创建方式:
alloc init
- 特点:需要手动开启,可以拿到线程对象进行详细设置
/*
第一个参数:目标对象
第二个参数:选择器,线程启动要调用哪个方法
第三个参数:前面方法要接收的参数(最多只能接收一个参数,没有则传nil)
*/
NSThread *thread = [[NSThread alloc]initWithTarget:self selector:@selector(run:) object:@"wendingding"];
//启动线程
[thread start];
- 第二种创建线程的方式:分离出一条子线程
- 特点:自动启动,无法拿到线程对象进行详细设置
/*
第一个参数:线程启动调用的方法
第二个参数:目标对象
第三个参数:传递给调用方法的参数
*/
[NSThread detachNewThreadSelector:@selector(run:) toTarget:self withObject:@"我是分离出来的子线程"];
- 第三种创建线程的方式:后台线程
- 特点:自动启动,无法进行更详细设置
[self performSelectorInBackground:@selector(run:) withObject:@"我是后台线程"];
2.2.设置线程属性
//设置线程的名称
thread.name = @"线程A";
//设置线程的优先级(线程优先级的取值范围为0.0~1.0之间,1.0表示线程的优先级最高),如果不设置该值,默认为0.5
thread.threadPriority = 1.0;
2.3.线程的状态(了解)
- 线程的各种状态:新建-就绪-运行-阻塞-死亡
- 线程死了不能复生
- 常用控制线程状态的方法:
[NSThread exit]; //退出当前线程
[NSThread sleepForTimeInterval:2.0]; //阻塞线程
[NSThread sleepUntilDate:[NSDate dateWithTimeIntervalSinceNow:2.0]]; //阻塞线程
2.4.线程安全
01 前提:多个线程访问同一块资源会发生数据安全问题
02 解决方案:加互斥锁
03 相关代码:@synchronized(self){}
04 专业术语-线程同步
05 原子和非原子属性(是否对setter方法加锁)
2.5.线程间通信
-(void)touchesBegan:(nonnull NSSet<UITouch *> *)touches withEvent:(nullable UIEvent *)event
{
//开启一条子线程来下载图片
[NSThread detachNewThreadSelector:@selector(downloadImage) toTarget:self withObject:nil];
}
-(void)downloadImage
{
// 回到主线程刷新UI
//4.1 第一种方式
[self performSelectorOnMainThread:@selector(showImage:) withObject:image waitUntilDone:YES];
//4.2 第二种方式
[self.imageView performSelectorOnMainThread:@selector(setImage:) withObject:image waitUntilDone:YES];
//4.3 第三种方式
[self.imageView performSelector:@selector(setImage:) onThread:[NSThread mainThread] withObject:image waitUntilDone:YES];
}
2.6.如何计算代码段的执行时间
- 第一种方法
NSDate *start = [NSDate date];
// 下载图片数据到本地
NSData *data = [NSData dataWithContentsOfURL:url];
NSDate *end = [NSDate date];
NSLog(@"第二步操作花费的时间为%f",[end timeIntervalSinceDate:start]);
- 第二种方法
CFTimeInterval start = CFAbsoluteTimeGetCurrent();
// 下载图片数据到本地
NSData *data = [NSData dataWithContentsOfURL:url];
CFTimeInterval end = CFAbsoluteTimeGetCurrent();
NSLog(@"第二步操作花费的时间为%f",end - start);
网友评论