iOS多線程開發(fā)——NSThread淺析
在iOS開發(fā)中,多線程的實現(xiàn)方式主要有三種,NSThread、NSOperation和GCD,我前面博客中對NSOperation和GCD有了較為詳細的實現(xiàn),為了學(xué)習(xí)的完整性,今天我們主要從代碼層面來實現(xiàn)NSThread的使用。案例代碼上傳至 https://github.com/chenyufeng1991/NSThread。
(1)初始化并啟動一個線程
- (void)viewWillAppear:(BOOL)animated
{
[super viewWillAppear:animated];
//獲取當(dāng)前線程
NSThread *current = [NSThread currentThread];
NSLog(@"當(dāng)前線程為 %@",current);
//初始化線程
NSThread *thread = [[NSThread alloc] initWithTarget:self selector:@selector(run) object:nil];
//設(shè)置線程的優(yōu)先級(0.0-1.0)
thread.threadPriority = 1.0;
thread.name = @"新線程1";
[thread start];
}
- (void)run
{
NSLog(@"線程執(zhí)行");
//獲取當(dāng)前線程
NSThread *current = [NSThread currentThread];
NSLog(@"當(dāng)前線程為 %@",current);
//線程休眠,可以模擬耗時操作
[NSThread sleepForTimeInterval:2];
//獲取主線程
NSThread *mainThread = [NSThread mainThread];
NSLog(@"子線程中獲得主線程 %@",mainThread);
}
其中currentThread,這個方法很有用,常??梢杂脕砼袛嗄撤椒ǖ膱?zhí)行是在哪個線程中。
(2)NSThread可以指定讓某個線程在后臺執(zhí)行:
//后臺創(chuàng)建一個線程來執(zhí)行任務(wù),需要在調(diào)用的方法中使用自動釋放池 [self performSelectorInBackground:@selector(run3) withObject:nil];
- (void)run3
{
@autoreleasepool {
NSLog(@"主線程3:%@,當(dāng)前線程3:%@",[NSThread mainThread],[NSThread currentThread]);
}
}
(3)子線程執(zhí)行耗時操作,主線程更新UI。這是多線程開發(fā)中最常用的案例。子線程中調(diào)用performSelectorOnMainThread方法用來更新主線程。
//測試在子線程中調(diào)用主線程更新UI
- (void)viewWillAppear:(BOOL)animated
{
[super viewWillAppear:animated];
NSThread *subThread = [[NSThread alloc] initWithTarget:self selector:@selector(run) object:nil];
//NSThread可以控制線程開始
[subThread start];
}
- (void)run
{
NSLog(@"主線程1:%@,當(dāng)前線程1:%@",[NSThread mainThread],[NSThread currentThread]);
//以下方法需要在子線程中調(diào)用
[self performSelectorOnMainThread:@selector(invocationMainThread) withObject:nil waitUntilDone:YES];
}
- (void)invocationMainThread
{
NSLog(@"主線程2:%@,當(dāng)前線程2:%@",[NSThread mainThread],[NSThread currentThread]);
NSLog(@"調(diào)用主線程更新UI");
}
(4)同樣,我們也可以新建一個子線程的類,繼承自NSThread. 然后重寫里面的main方法,main方法就是該線程啟動時會執(zhí)行的方法。
@implementation MyThread
- (void)main
{
NSLog(@"main方法執(zhí)行");
}
@end
然后按正常的創(chuàng)建啟動即可。線程就會自動去執(zhí)行main方法。
//可以自己寫一個子類,繼承自NSThread,需要重寫main方法
/**
* 執(zhí)行的代碼是在main中的,而不是使用@selector.
使用main方法,線程中執(zhí)行的方法是屬于對象本身的,這樣可以在任何其他需要使用這個線程方法的地方使用,而不用再一次實現(xiàn)某個方法。
而其他的直接NSThread的創(chuàng)建線程,線程內(nèi)執(zhí)行的方法都是在當(dāng)前的類文件里面的。
*/
- (void)viewWillAppear:(BOOL)animated
{
[super viewWillAppear:animated];
MyThread *thread = [[MyThread alloc] init];
[thread start];
}
(5)NSThread中還有一個很常用的方法就是延遲。延遲2s執(zhí)行。
//線程休眠,可以模擬耗時操作 [NSThread sleepForTimeInterval:2];
對于多線程的三種實現(xiàn)方式,我們都要能夠熟練使用
相關(guān)文章
iOS微信分享后關(guān)閉發(fā)送成功提示并返回應(yīng)用
這篇文章主要為大家詳細介紹了iOS微信分享后關(guān)閉發(fā)送成功提示并返回應(yīng)用的相關(guān)資料,具有一定的參考價值,感興趣的小伙伴們可以參考一下2016-09-09
iOS 判斷頁面中的該填項是否填完整,改變按鈕狀態(tài)的方法
下面小編就為大家分享一篇iOS 判斷頁面中的該填項是否填完整,改變按鈕狀態(tài)的方法,具有很好的參考價值,希望對大家有所幫助。一起跟隨小編過來看看吧2018-01-01
Flutter?ScrollController滾動監(jiān)聽及控制示例詳解
這篇文章主要為大家介紹了Flutter?ScrollController滾動監(jiān)聽及控制示例詳解,有需要的朋友可以借鑒參考下,希望能夠有所幫助,祝大家多多進步,早日升職加薪2022-11-11

