源码块一:
-(void)touchesBegan:(NSSet *)touches withEvent:(UIEvent *)event
{
NSLog(@"%@",[NSThread currentThread]);
dispatch_sync(dispatch_get_main_queue(), ^{
NSLog(@"Hello World");
});
}
分析:
- 当前dispatch_sync()函数在主线程中调用,可以用 NSLog(@"%@",[NSThread currentThread]); 验证
- 调用dispatch_sync()函数会立即阻塞调用时该函数所在的线程,即主线程等待dispatch_sync()函数返回
- dispatch_sync()函数追加任务(即Block代码块)到主队列dispatch_get_main_queue()中,主队列是一种特殊的串行队列
- 主队列的任务在主线程中执行,但此时主线程被阻塞,无法执行Block代码块,导致dispatch_sync()函数无法返回,一直等待Block被主线程执行
- 最终导致死锁
源码块二:
-(void)touchesBegan:(NSSet *)touches withEvent:(UIEvent *)event
{
NSLog(@"1-----%@",[NSThread currentThread]);
//创建一个串行队列
dispatch_queue_t queue = dispatch_queue_create("serialQueue", DISPATCH_QUEUE_SERIAL);
//异步函数产生一个新的线程
dispatch_async(queue, ^{
NSLog(@"2-----%@",[NSThread currentThread]);
//向新线程中用同步函数dispatch_sync()追加任务
dispatch_sync(queue, ^{
NSLog(@"3-----%@",[NSThread currentThread]);
});
});
}
控制台:
1-----{number = 1, name = main}
2-----{number = 2, name = (null)}
分析:
- 在产生的新的线程(number = 2 , name = (null))中,调用函数dispatch_sync(),立即阻塞当前线程,即新开的线程,此时线程阻塞,等待dispatch_sync()函数返回.
- 使用 dispatch_sync() 追加任务NSLog(@"3-----%@",[NSThread currentThread]);到队列queue中, 但是当前线程被阻塞,无法执行Block代码块,Block代码块等待被线程执行.
- 最终导致死锁.
源码块三:
-(void)touchesBegan:(NSSet *)touches withEvent:(UIEvent *)event
{
NSLog(@"1-----%@",[NSThread currentThread]);
//创建一个串行队列
dispatch_queue_t queue = dispatch_queue_create("serialQueue", DISPATCH_QUEUE_SERIAL);
//异步函数产生一个新的线程
dispatch_async(queue, ^{
NSLog(@"2-----%@",[NSThread currentThread]);
//创建一个新的串行队列
dispatch_queue_t queue2 = dispatch_queue_create("newQueue", DISPATCH_QUEUE_SERIAL);
//在新线程中用同步函数dispatch_sync()向新建的串行队列中追加任务
dispatch_sync(queue2, ^{
NSLog(@"3-----%@",[NSThread currentThread]);
});
});
}
控制台:
1-----{number = 1, name = main}
2-----{number = 2, name = (null)}
3-----{number = 2, name = (null)}
可以看到该代码块并没有产生死锁,但是queue2队列也是在新线程中,为什么调用dispatch_sync()函数时,并没有阻塞
那么我的问题就是: 用异步函数创建新线程时所用到的队列,即代码中的queue
dispatch_async(queue, ^{
NSLog(@"2-----%@",[NSThread currentThread]);
如果为串行队列(并发队列并不会有该情况),那么该队列 是否可以认为是 该新线程中的 "主队列",类似于源码块一的效果.