fish的iOSIOS理论知识iOS开发实用技术

iOS判断是否在主线程的正确姿势

2017-01-11  本文已影响1891人  __LuckyPan__

疑问?


在iOS中,经常需要用到线程的概念,尤其是类似UI绘制等操作,苹果也明确规定必须在主线程进行绘制,那么,我们如何来判断当前所在的线程呢?不同的判断方法又有何区别呢?

1. pthread


pthread是一套通用使用使用C语言编写的多线程的API,可以在Unix / Linux / Windows 等系统跨平台使用。
常用API :

应用 :
if (pthread_main_np()) { // do something in main thread } else { // do something in other thread }
总结:

  1. 能够判断当前是否在主线程,不能判断当前是否在主队列。
  1. 需要引入头文件 #import <pthread.h>

2. NSThread


NSThread是一套苹果公司开发的使用Objective-C编写的多线程API,其功能基本类同于pthread。
 由于GCD本身没有提供判断当前线程是否是主线程的API,因此我们常常使用NSThread中的API代替,这种是我们最常使用的方式。
常用API :

应用:
if ([NSThread isMainThread]) { // do something in main thread } else { // do something in other thread }

这个方法在大部分时间内是有效的,在判断当前是否是主线程的需求下与pthread_main_np()基本类同。
 同样在部分情形中会有问题
总结 :

  1. 该API只会检查当前的线程是否是主线程,不会检查是不是同时在主队列。
  1. 每个app只有一个主线程,但是主线程上运行可能有很多不同的队列在运行。
  2. 如果一个API调用任务在非主队列上的主线程中被执行,会导致某些依赖主队列运行的库出现问题(如VectorKit)。
  3. 不需要引入头文件。

参考一:GCD's Main Queue vs. Main Thread
参考二:[NSThread isMainThread] is probably not what you want
参考三:dispatch_queue_set_specific & dispatch_get_specific

3. dispatch_queue_set_specific() & dispatch_get_specific();


鉴于上面的方法都能够判断当前是否是在主线程,但是都不能判断当前是否在主队列的问题,我们很同意想到,只需要新增对当前队列的判断不是可以呢?
** 常用API :**

** 应用 :**
static void *mainQueueKey = "mainQueueKey"; dispatch_queue_set_specific(dispatch_get_main_queue(), mainQueueKey, &mainQueueKey, NULL); if (dispatch_get_specific(mainQueueKey)) { // do something in main queue } else { // do something in other queue }
** 总结 :**

  1. 可以实现主队列主线程的判断。
  1. 代码复杂,判断是否是主队列必须提前设定与主队列的关联关系。
  2. 扩展性强,可以用来区分自定义队列。

4. dispatch_queue_get_label()


该方法我是在阅读AFNetworking源码时看到的,第一次见时挺奇怪作者为什么要这么写,看起来好麻烦好复杂,今天,我们就一起瞧瞧这段代码的优点吧。
常用API :

应用 :
if (strcmp(dispatch_queue_get_label(DISPATCH_CURRENT_QUEUE_LABEL), dispatch_queue_get_label(dispatch_get_main_queue())) == 0) { // do something in main thread } else { // do something in other thread }
** 总结 :**

  1. 该方法不仅能够判断当前是否是主线程。
  1. 还可用来很好的判断当前是否是在主队列。

参考一:How to get current dispatch queue?

上一篇 下一篇

猜你喜欢

热点阅读