iOS---多线程NSThread

一、NSThread

介绍

iOS 中的线程对象,将一个线程封装为一个 OC 对象,可以设置线程名、优先级等属性

二、示例

1. 创建线程

- (void)viewDidLoad {
    [super viewDidLoad];
// 1. 获得主线程
NSThread * mainThread = [NSThread mainThread];
    
NSLog(@"main --- %@", mainThread);
    
// 2. 获得当前线程(也就是主线程)
NSThread * currentThread = [NSThread currentThread];
    
NSLog(@"current --- %@", currentThread);
}
- (void)createNSThread1 {
    // 1. 创建线程对象, 并指定线程运行的方法
    NSThread * newThread = [[NSThread alloc] initWithTarget:self selector:@selector(runNSThread:) object:@"手动开启新线程"];
    // 设置线程名称
    [newThread setName:@"线程A"];
    // 开启线程,只有开启线程时,该线程才会运行
    [newThread start];
}
- (void)runNSThread:(NSString *)str {
    // 1. 获取当前线程
    NSThread * currentThread = [NSThread currentThread];
    NSLog(@"current --- %@", currentThread);
    // 2. 执行耗时
    for (int i = 0; i < 10; ++i) {
        NSLog(@"%i --- %@ --- %@", i, currentThread, str);
    }
}

运行结果:


iOS---多线程NSThread_第1张图片
1.png

可以看出,用 NSThread 的 initWithTarget: selector: objecg: 方法创建了一个新的进程对象(12338),并通过 start 开启该进程


iOS---多线程NSThread_第2张图片
2.png

2. 阻塞主线程

在 xib 中拖入一个 UITextField 控件 和 UIButton 控件,并将 UIButton 创建一个 IBAction 的动作方法;代码如下

- (IBAction)btn1Click:(id)sender {
    // 1. 获取当前线程
    NSThread * thread = [NSThread currentThread];
    // 2. 使用 for 进行一些延时操作
    for (int i = 0; i < 50000; ++i) {
        NSLog(@"%i --- %@", i, thread);
    }

运行程序,会发现在控制台一直会输出 for 语句的内容,而此时点击 UITextField 控件是无法弹出键盘的
原因是 : 此时只有一个线程,即主线程,而主线程是以串行的方式运行的,由于当前 for 语句的耗时较多,需要一定的时间才可以执行完,所以在执行完 for 语句的耗时任务之前,是不可以执行其他的任务的;如图


iOS---多线程NSThread_第3张图片
3.png

思考 : 如果将创建线程的程序里的 for 语句的 i < 10 改为 i < 50000,那么在运行程序时,是否可以点击 UITextField 以响应
如图


iOS---多线程NSThread_第4张图片
4.png

从图可以看出,执行耗时任务的是子线程而非主线程,而响应控件事件的是主线程;主线程创建了子线程后,就将耗时任务交给它执行,所以主线程此时就可以响应控件的事件了

你可能感兴趣的:(iOS---多线程NSThread)