iOS多线程之 pThread

前面总结了多线程的基本概念,今天学习总结一下多线程的其中一种实现方案pThread

一、基本概念

pThread(POSIX threads)是一套纯C语言的API,需要程序员自己管理线程的生命周期,适用于多种操作系统,可跨平台,移植性强,但使用难度较大,iOS开发中几乎不使用。

二、pThread的使用方法

1、引入头文件#import
2、创建一个线程:
#pragma mark - 创建线程
- (void)pThreadMethod {
    NSLog(@"主线程执行");
    // 1. 定义一个pThread
    pthread_t pthread;
    // 2. 创建线程 用runPthread方法执行任务
    pthread_create(&pthread, NULL, runPthread, NULL);
}

#pragma mark - 线程调用方法执行任务
void *runPthread(void *data) {
    NSLog(@"子线程执行");
    for (NSInteger index = 0; index < 10; index ++) {
        NSLog(@"%ld", index);
        // 延迟一秒
        sleep(1);
    }
    return NULL;
}

pthread_create(<#pthread_t _Nullable *restrict _Nonnull#>, <#const pthread_attr_t *restrict _Nullable#>, <#void * _Nullable (* _Nonnull)(void * _Nullable)#>, <#void *restrict _Nullable#>)参数说明:

  • 第一个参数pthread_t * __restrict:指向当前新线程的指针;
  • 第二个参数const pthread_attr_t * __restrict:设置线程属性;
  • 第三个参数```void * ()(void *):函数指针,指向一个函数的起始地址,线程开始的回调函数,里面执行耗时任务
  • 第四个参数回到函数所用的参数
3、运行结果:
2019-04-09 23:52:04.618053+0800 Test[1310:40633] 主线程执行
2019-04-09 23:52:04.618298+0800 Test[1310:40700] 子线程中执行
2019-04-09 23:52:04.618442+0800 Test[1310:40700] 0
2019-04-09 23:52:05.622067+0800 Test[1310:40700] 1
2019-04-09 23:52:06.627134+0800 Test[1310:40700] 2
2019-04-09 23:52:07.627593+0800 Test[1310:40700] 3
2019-04-09 23:52:08.633008+0800 Test[1310:40700] 4

· Test[1310:40633] 主线程执行中1310表示当前进程,40633表示主线程
· Test[1310:40700] 子线程执行中1310表示当前进程,40700表示子线程

三、PThread的其他方法

  • pthread_t:线程ID
  • pthread_attr_t:线程属性
  • pthread_create():创建一个线程
  • pthread_exit():终止当前进程
  • pthread_cancle():中断另外一个线程的运行
  • pthread_join():阻塞当前的进程,知道另外一个进程运行结束
  • pthread_attr_init():初始化线程属性
  • pthread_attr_setdetachstate():设置脱离状态的属性(决定这个线程在终止时是否可以被结合)
  • pthread_attr_getdetachstate():获取脱离状态的属性
  • pthread_attr_destroy():删除线程属性
  • pthread_kill:向线程发送信号
  • pthread_equal():对两个线程标识号进行比较
  • pthread_detach():分离线程
  • pthread_self():查询线程自身线程标识号

参考地址:

iOS开发 - 多线程实现方案之Pthread篇

你可能感兴趣的:(iOS多线程之 pThread)