小笨狼漫谈多线程:GCD(一)
这篇文章对于GCD讲得很详细,适合小白学习研究。但是对于我这种平时就能用用傻瓜试的线程操作,还是有点问题的。
dispatch_async(dispatch_get_global_queue(0, 0), ^{
// 耗时的后台操作
dispatch_async(dispatch_get_main_queue(), ^{
// 刷新UI
});
});
关于线程与队列之间的关系我就不多说了,今天主要记录一下看完这篇文章后,尚不明白的地方。
- 同步线程中加入异步的队列,队列任务的执行顺序是怎样的?
- 异步线程中加入同步的队列,队列任务的执行顺序是怎样的?
不懂靠猜是不靠谱的,果断的coding了一个Demo,终于弄懂了执行顺序。
1.同步线程中加入串行队列,这个没有疑问,任务执行顺序肯定是串行的。
dispatch_queue_t queue1 = dispatch_queue_create("com.test.syncAndSerial.queue1", DISPATCH_QUEUE_SERIAL);
dispatch_queue_t queue2 = dispatch_queue_create("com.test.syncAndSerial.queue2", DISPATCH_QUEUE_SERIAL);
dispatch_sync(queue1, ^{
for (NSInteger i = 0 ; i < 5; i++)
{
NSLog(@"Sync And Serial Queue1");
}
});
dispatch_sync(queue2, ^{
for (NSInteger i = 0 ; i < 5; i++)
{
NSLog(@"Sync And Serial Queue2");
}
});
执行结果
2.同步线程中,加入并行队列,任务的执行顺序?
dispatch_queue_t queue1 = dispatch_queue_create("com.test.syncAndConcurrent.queue1", DISPATCH_QUEUE_CONCURRENT);
dispatch_queue_t queue2 = dispatch_queue_create("com.test.syncAndConcurrent.queue2", DISPATCH_QUEUE_CONCURRENT);
dispatch_sync(queue1, ^{
for (NSInteger i = 0; i < 5; i++)
{
NSLog(@"Sync And Concurrent Queue1");
}
});
dispatch_sync(queue2, ^{
for (NSInteger i = 0; i < 5; i++)
{
NSLog(@"Sync And Concurrent Queue2");
}
});
执行结果是
没错,也是串行的。
3.异步线程、串行队列
dispatch_queue_t queue1 = dispatch_queue_create("com.test.asyncAndSerial.queue1", DISPATCH_QUEUE_SERIAL);
dispatch_queue_t queue2 = dispatch_queue_create("com.test.asyncAndSerial.queue2", DISPATCH_QUEUE_SERIAL);
dispatch_async(queue1, ^{
for (NSInteger i = 0; i < 5; i++)
{
NSLog(@"Async And Serial Queue1");
}
});
dispatch_async(queue2, ^{
for (NSInteger i = 0; i < 5; i++)
{
NSLog(@"Async And Serial Queue2");
}
});
4.异步线程、并行队列
dispatch_queue_t queue1 = dispatch_queue_create("com.test.asyncAndConcurrent.queue1", DISPATCH_QUEUE_CONCURRENT);
dispatch_queue_t queue2 = dispatch_queue_create("com.test.asyncAndConcurrent.queue2", DISPATCH_QUEUE_CONCURRENT);
dispatch_async(queue1, ^{
for (NSInteger i = 0; i < 5; i ++)
{
NSLog(@"Async And Concurrent Queue1");
}
});
dispatch_async(queue2, ^{
for (NSInteger i = 0; i < 5; i++)
{
NSLog(@"Async And Concurrent Queue2");
}
});
SO,可以发现同步线程下,队列不管是串行的还是并行的,任务的执行顺序都是串行的。
而异步线程下,队列不管是串行的还是并行的,任务的执行顺序则都是并行的。
是否表示,线程的优先级大于队列?
以上都是个人观点,如果有什么不对的地方,还望斧正。