Objective-C Protocols/協議
Objective-C語言允許定義協議,預計用於特定情況下的聲明方法。協議的實現在符合該協議的類。
一個簡單的例子將是一個網絡URL處理類,它將有委託方法processCompleted 一次調用類網絡URL抓取操作的方法,如一個協議。
協議語法如下所示。
@protocol ProtocolName @required // list of required methods @optional // list of optional methods @end
@required 關鍵字下的方法必須符合協議類實現, @optional 關鍵字下的可選方法來實現。
這是符合協議的語法類
@interface MyClass : NSObject <MyProtocol> ... @end
這意味着,MyClass的任何實例響應不僅是具體在接口聲明的的方法,而 MyClass 的 MyProtocol 所需的方法也提供了實現。也沒有必要再聲明協議類接口的方法 - 採用的協議是足夠的。
如果需要一個類來採取多種協議,可以指定他們作爲一個逗號分隔的列表。我們有一個委託對象,持有調用對象的參考,實現了協議。
一個例子如下所示。
#import <Foundation/Foundation.h> @protocol PrintProtocolDelegate - (void)processCompleted; @end @interface PrintClass :NSObject { id delegate; } - (void) printDetails; - (void) setDelegate:(id)newDelegate; @end @implementation PrintClass - (void)printDetails{ NSLog(@"Printing Details"); [delegate processCompleted]; } - (void) setDelegate:(id)newDelegate{ delegate = newDelegate; } @end @interface SampleClass:NSObject<PrintProtocolDelegate> - (void)startAction; @end @implementation SampleClass - (void)startAction{ PrintClass *printClass = [[PrintClass alloc]init]; [printClass setDelegate:self]; [printClass printDetails]; } -(void)processCompleted{ NSLog(@"Printing Process Completed"); } @end int main(int argc, const char * argv[]) { NSAutoreleasePool * pool = [[NSAutoreleasePool alloc] init]; SampleClass *sampleClass = [[SampleClass alloc]init]; [sampleClass startAction]; [pool drain]; return 0; }
現在,當我們編譯並運行程序,我們會得到以下的結果。
2013-09-22 21:15:50.362 Protocols[275:303] Printing Details
2013-09-22 21:15:50.364 Protocols[275:303] Printing Process Completed
在上面的例子中,我們已經看到了如何調用和執行的delgate方法。啓動startAction,一旦這個過程完成後,被稱爲委託方法processCompleted 操作完成。
在任何 iOS 或 Mac應用程序中,我們將永遠不會有一個程序,沒有委託實現。所以我們理解其重要委託的用法。委託的對象應該使用 unsafe_unretained 的屬性類型,以避免內存泄漏。