3 回答
TA贡献1946条经验 获得超3个赞
Objective-C委托是已将delegate
另一个对象分配给属性的对象。要创建一个,只需定义一个实现您感兴趣的委托方法的类,并将该类标记为实现委托协议。
例如,假设你有一个UIWebView
。如果你想实现它的委托webViewDidStartLoad:
方法,你可以创建一个这样的类:
@interface MyClass<UIWebViewDelegate>// ...@end@implementation MyClass- (void)webViewDidStartLoad:(UIWebView *)webView { // ... }@end
然后,您可以创建MyClass的实例并将其指定为Web视图的委托:
MyClass *instanceOfMyClass = [[MyClass alloc] init];myWebView.delegate = instanceOfMyClass;
另一方面UIWebView
,它可能具有与此类似的代码,以查看委托是否响应webViewDidStartLoad:
消息respondsToSelector:
并在适当时发送它。
if([self.delegate respondsToSelector:@selector(webViewDidStartLoad:)]) { [self.delegate webViewDidStartLoad:self];}
委托属性本身通常声明weak
(在ARC中)或assign
(预ARC)以避免保留循环,因为对象的委托通常持有对该对象的强引用。(例如,视图控制器通常是它包含的视图的委托。)
为您的类创建代表
要定义自己的委托,您必须在某处声明其方法,如Apple Docs on protocols中所述。您通常会声明一个正式的协议。从UIWebView.h转述的声明如下所示:
@protocol UIWebViewDelegate <NSObject>@optional- (void)webViewDidStartLoad:(UIWebView *)webView;// ... other methods here@end
这类似于接口或抽象基类,因为它为您的委托创建了一种特殊类型,UIWebViewDelegate
在本例中。代表实施者必须采用该协议:
@interface MyClass <UIWebViewDelegate>// ...@end
然后实现协议中的方法。对于在协议中声明的方法@optional
(与大多数委托方法一样),您需要-respondsToSelector:
在调用特定方法之前进行检查。
命名
委托方法通常以委托类名称开头命名,并将委托对象作为第一个参数。他们也经常使用意志,应该或形式。因此,webViewDidStartLoad:
(第一个参数是Web视图)而不是loadStarted
(不带参数)。
速度优化
每次我们想要给它发消息时,不是检查委托是否响应选择器,而是在设置委托时缓存该信息。一个非常干净的方法是使用位域,如下所示:
@protocol SomethingDelegate <NSObject>@optional- (void)something:(id)something didFinishLoadingItem:(id)item;- (void)something:(id)something didFailWithError:(NSError *)error;@end@interface Something : NSObject@property (nonatomic, weak) id <SomethingDelegate> delegate;@end@implementation Something { struct { unsigned int didFinishLoadingItem:1; unsigned int didFailWithError:1; } delegateRespondsTo;}@synthesize delegate;- (void)setDelegate:(id <SomethingDelegate>)aDelegate { if (delegate != aDelegate) { delegate = aDelegate; delegateRespondsTo.didFinishLoadingItem = [delegate respondsToSelector:@selector(something:didFinishLoadingItem:)]; delegateRespondsTo.didFailWithError = [delegate respondsToSelector:@selector(something:didFailWithError:)]; }}@end
然后,在正文中,我们可以检查我们的委托通过访问我们的delegateRespondsTo
结构来处理消息,而不是-respondsToSelector:
一遍又一遍地发送。
非正式代表
协议出现之前,它是共同使用类别上NSObject
宣布委托可以实现的方法。例如,CALayer
仍然这样做:
@interface NSObject(CALayerDelegate)- (void)displayLayer:(CALayer *)layer;// ... other methods here@end
这基本上告诉编译器任何对象都可以实现displayLayer:
。
然后,您将使用与上述相同的-respondsToSelector:
方法来调用此方法。代理只需实现此方法并分配delegate
属性,就是它(没有声明您符合协议)。这种方法在Apple的库中很常见,但是新代码应该使用上面更现代的协议方法,因为这种方法会污染NSObject
(这使得自动完成功能不那么有用)并且使编译器很难警告你有关拼写错误和类似错误的信息。
TA贡献1772条经验 获得超5个赞
当使用正式协议方法创建委托支持时,我发现您可以通过添加以下内容来确保正确的类型检查(尽管是运行时,而不是编译时):
if (![delegate conformsToProtocol:@protocol(MyDelegate)]) { [NSException raise:@"MyDelegate Exception" format:@"Parameter does not conform to MyDelegate protocol at line %d", (int)__LINE__];}
在您的委托访问器(setDelegate)代码中。这有助于减少错误。
- 3 回答
- 0 关注
- 717 浏览
添加回答
举报