IOS支援三個層次的線程編程,從底層到高層(層次越高使用越方便,越簡潔)分別是:
1:Thread;
2:Cocoa Operations;
3:Grand Central Dispatch;
簡介:
Thread是抽象層次最低的,另外兩種線程應用給予thread進行了封裝,對於程式員而言,thread相對麻煩,需要程式員管理線程周期,但是效率最高。thread包含兩種:Cocoa
threads——使用NSThread 或直接從 NSObject 的類方法 performSelectorInBackground:withObject: 來建立一個線程;POSIX threads: 基於 C 語言的一個多線程庫。
建立NSThread的方式有三種:
一:[NSThread detachNewThreadSelector:@selector(myThreadMethod:) toTarget:self withObject:nil]; 調用立即建立一個新線程執行操作
二:NSThread* myThread = [[NSThread alloc] initWithTarget:self selector:@selector(myThreadMethod:)
object:nil]; [myThread start]; NSThread初始化之後,新的線程並沒有執行,而是調用
start 時才會建立線程執行。這種方法相對上面的方法更加靈活,在啟動新的線程之前,對線程進行相應的操作,比如設定優先權,加鎖。
三:[myObj performSelectorInBackground:@selector(myThreadMainMethod)
withObject:nil]; 利用 NSObject 的類方法 performSelectorInBackground:withObject: 來建立一個線程:
以上都可以在新的線程中調用performSelectorOnMainThread:
withObject:waitUntilDone:更新UI,因為子線程不能直接更新UI。
線程同步與鎖:
有很多時候多個線程之間會訪問相同的資料,如何避免a線程和b線程之間的衝突,以及執行順序等需要程式員考慮,這個時候需要用到NSCondition,NSLock,確保線程(原子操作)安全。
用NSCodition同步執行的順序,NSCodition
是一種特殊類型的鎖,我們可以用它來同步操作執行的順序。它與 mutex 的區別在於更加精準,等待某個 NSCondtion 的線程一直被 lock,直到其他線程給那個 condition 發送了訊號。下面我們來看使用樣本:
- (void)applicationDidFinishLaunching:(UIApplication *)application {
tickets = 100;
count = 0;
ticketCondition = [[NSCondition alloc] init]; // 鎖對象
ticketsThreadone = [[NSThread alloc] initWithTarget:self selector:@selector(run) object:nil];
[ticketsThreadone setName:@"Thread-1"];
[ticketsThreadone start];
ticketsThreadtwo = [[NSThread alloc] initWithTarget:self selector:@selector(run) object:nil];
[ticketsThreadtwo setName:@"Thread-2"];
[ticketsThreadtwo start];
[window makeKeyAndVisible];
}
- (void)run{
while (TRUE) {
[ticketsCondition lock]; //
上鎖
if(tickets > 0){
[NSThread sleepForTimeInterval:0.5];
count = 100 - tickets;
NSLog(@"當前票數是:%d,售出:%d,線程名:%@",tickets,count,[[NSThread currentThread] name]);
tickets--;
} else {
break;
}
[ticketsCondition unlock];
}
}
線程間通訊,互動
在應用程式主線程中做事情:
performSelectorOnMainThread:withObject:waitUntilDone:
performSelectorOnMainThread:withObject:waitUntilDone:modes:
在指定線程中做事情:
performSelector:onThread:withObject:waitUntilDone:
performSelector:onThread:withObject:waitUntilDone:modes:
在當前線程中做事情:
performSelector:withObject:afterDelay:
performSelector:withObject:afterDelay:inModes:
取消發送給當前線程的某個訊息
cancelPreviousPerformRequestsWithTarget:
cancelPreviousPerformRequestsWithTarget:selector:object:
Cocoa Operetions