respondsToSelector是實例方法也是類方法,用於判斷某個類/實例是否能處理某個方法(包括基類方法)。conformsToProtocol:@protocol()是用來檢查對象是否實現了指定協議類的方法.
respondsToSelector相關的方法:
-(BOOL) isKindOfClass: classObj 用來判斷是否是某個類或其子類的實例
-(BOOL) isMemberOfClass: classObj 用來判斷是否是某個類的實例
-(BOOL) respondsToSelector: selector 用來判斷是否有以某個名字命名的方法(被封裝在一個selector的對象裡傳遞)
+(BOOL) instancesRespondToSelector: selector 用來判斷實例是否有以某個名字命名的方法. 和上面一個不同之處在於, 前面這個方法可以用在實例和類上,而此方法只能用在類上.
-(id) performSelector: selector
SEL sel = @selector (start:) ; // 指定action
if ([obj respondsToSelector:sel])
{ //判斷該對象是否有相應的方法
[obj performSelector:sel withObject:self]; //調用選擇器方法
}
使用[[UIApplication sharedApplication] keyWindow]查找應用程序的主窗口對象
respondsToSelector判斷是否實現了某方法
#import <Foundation/Foundation.h>
@interface Tester : NSObject {
}
-(void) test:(NSString*) msg;
-(void) notImp;
@end
Tester.m
#import "Tester.h"
@implementation Tester
-(void) test:(NSString*) msg
{
NSLog(@"%@", msg);
}
@end
注意:沒有實現notImp方法
main.m
#import <Foundation/Foundation.h>
#import "Tester.h"
int main (int argc, const char * argv[])
{
NSAutoreleasePool * pool = [[NSAutoreleasePool alloc] init];
id tester = [[Tester alloc] init];//注意,這裡使用id
SEL testSelector = @selector(test:);
SEL notImpSelector = @selector(notImp:);
if([tester respondsToSelector:testSelector])
{
//tester.m中實現了test方法
[tester test:@"invoke test method"];
}
if([tester respondsToSelector:notImpSelector])
{
//test.m中沒有實現此主就去
[tester notImp];
}
[pool drain];
return 0;
}
conformsToProtocol:@protocol()是用來檢查對象是否實現了指定協議類的方法
//例子如下,在例子當中會有適當的注釋,以助理解這個方法:
@protocol MyProtocol
- (void) doSomething;
@end
@interface MyClass : NSObject<MyProtocol>//直接符合協議的類
{
}
@end
@implementation MyClass
- (void) doSomething {
}
@end
@interface MyOtherClass : MyClass//繼承了符合協議的類,即其父類符合協議。
{
}
@end
@implementation MyOtherClass
- (void) doSomething {
}
@end
int main (int argc, const char * argv[])
{
NSAutoreleasePool * pool = [[NSAutoreleasePool alloc] init];
MyClass *obj_one = [MyClass new];
BOOL one_conforms = [obj_one conformsToProtocol:@protocol(MyProtocol)];
MyOtherClass *obj_two = [MyOtherClass new];
//obj_two是類的實例對象,和父類相關,其父類符合協議,則其亦符合。
BOOL two_conforms = [obj_two conformsToProtocol:@protocol(MyProtocol)];
NSLog(@"obj_one conformsToProtocol: %d", one_conforms);//output:YES
NSLog(@"obj_two conformsToProtocol: %d", two_conforms);//output:YES
[pool drain]; return 0;
}
//Output:
obj_one conformsToProtocol: 1
obj_two conformsToProtocol: 1
//Whereas:
MyOtherClass *obj_two = [MyOtherClass new];
//class_conformsToProtocol是只檢查當前類符不符合協議,和其父類無關。
BOOL conforms_two = class_conformsToProtocol([obj_two class], @protocol(MyProtocol));
NSLog(@"obj_two conformsToProtocol: %d", conforms_two);//output:NO
//Output:
obj_two conformsToProtocol: 0
在代理調用是,檢查其代理是否符合協議,或者使用 respondsToSelector 檢查對象能否響應指定的消息,
是避免代理在回調時因為沒有實現代理函數而程序崩潰的一個有效的方式