iOS —— 多线程NSThread
Posted 透心凉mmm
tags:
篇首语:本文由小常识网(cha138.com)小编为大家整理,主要介绍了iOS —— 多线程NSThread相关的知识,希望对你有一定的参考价值。
一、NSThread
1. 介绍
ios 中的线程对象,将一个线程封装为一个 OC 对象,可以设置线程名、优先级等属性
2. 常用方法
二、示例
1. 创建线程
// 1. 获得主线程
NSThread * mainThread = [NSThread mainThread];
NSLog(@"main --- %@", mainThread);
// 2. 获得当前线程(也就是主线程)
NSThread * currentThread = [NSThread currentThread];
NSLog(@"current --- %@", currentThread);
// 3. 方式一创建线程
[self createNSThread1];
// 4. 方式二创建线程
//[self createNSThread2];
// 5. 方式三创建线程
//[self createNSThread3];
1 - (void)createNSThread1 { 2 3 // 1. 创建线程对象, 并指定线程运行的方法 4 NSThread * newThread = [[NSThread alloc] initWithTarget:self selector:@selector(runNSThread:) object:@"手动开启新线程"]; 5 6 // 设置线程名称 7 [newThread setName:@"线程A"]; 8 9 // 开启线程,只有开启线程时,该线程才会运行 10 [newThread start]; 11 12 }
1 - (void)runNSThread:(NSString *)str { 2 3 // 1. 获取当前线程 4 NSThread * currentThread = [NSThread currentThread]; 5 6 NSLog(@"current --- %@", currentThread); 7 8 // 2. 执行耗时 9 for (int i = 0; i < 10; ++i) { 10 11 NSLog(@"%i --- %@ --- %@", i, currentThread, str); 12 13 } 14 15 }
运行结果
可以看出,用 NSThread 的 initWithTarget: selector: objecg: 方法创建了一个新的进程对象(81783),并通过 start 开启该进程
1 - (void)createNSThread2 {
2
3 // 1. 自动创建新的线程并开启,此方法无需手动调用 start 方法开启进程,会自动开启
4 [NSThread detachNewThreadSelector:@selector(runNSThread:) toTarget:self withObject:@"自动开启新线程1"];
5
6 }
运行结果和上述类似,只不过新创建的进程 ID 和 线程 ID 不相同,这里就不再放图了
1 - (void)createNSThread3 {
2
3 // 1. 自动创建新的线程并开启
4 [self performSelectorInBackground:@selector(runNSThread:) withObject:@"自动开启新线程1"];
5
6 }
运行结果和上述类似,只不过新创建的进程 ID 和 线程 ID 不相同,这里就不再放图了
2. 阻塞主线程
在 xib 中拖入一个 UITextField 控件 和 UIButton 控件,并将 UIButton 创建一个 IBAction 的动作方法;代码如下
1 - (IBAction)btn1Click:(id)sender {
2
3 // 1. 获取当前线程
4 NSThread * thread = [NSThread currentThread];
5
6 // 2. 使用 for 进行一些延时操作
7 for (int i = 0; i < 50000; ++i) {
8
9 NSLog(@"%i --- %@", i, thread);
10
11 }
18
19 }
运行程序,会发现在控制台一直会输出 for 语句的内容,而此时点击 UITextField 控件是无法弹出键盘的
原因是 : 此时只有一个线程,即主线程,而主线程是以串行的方式运行的,由于当前 for 语句的耗时较多,需要一定的时间才可以执行完,所以在执行完 for 语句的耗时任务之前,是不可以执行其他的任务的;如图
思考 : 如果将创建线程的程序里的 for 语句的 i < 10 改为 i < 50000,那么在运行程序时,是否可以点击 UITextField 以响应
如图
从图可以看出,执行耗时任务的是子线程而非主线程,而响应控件事件的是主线程;主线程创建了子线程后,就将耗时任务交给它执行,所以主线程此时就可以响应控件的事件了
以上是关于iOS —— 多线程NSThread的主要内容,如果未能解决你的问题,请参考以下文章