iOS酷玩技术分享iOS 优秀实践将来跳槽用

[爆栈热门 iOS 问题] 如何写好一个 delegate

2016-03-29  本文已影响1803人  戴仓薯

系列文集:爆栈热门 iOS 问题目录在此。仓薯翻译,欢迎指正:)

问题

我知道 delegate 机制是怎么回事,也知道怎么用 delegate。但是自己写一个 delegate 需要注意什么呢?


答案

Jesse Rusak,723 赞

我把他答案的要点摘录如下:

用 weak

保存 delegate 属性在 ARC 里要用weak来防止循环引用,因为一个对象的 delegate 往往持有这个对象本身。(比如,viewController 经常会当它里面子 view 的 delegate。)

要检查 @optional 方法是否实现

声明 protocol 一般是这样:

@protocol UIWebViewDelegate <NSObject>
// Declaration for Methods that 'must' be implemented'
@optional
- (void)webViewDidStartLoad:(UIWebView *)webView;
// ... other methods here
@end

大部分 delegate 方法都是@optional的。@optional的方法在调用之前要用-respondsToSelector:检查一下 delegate 对这个方法真正实现了没有。比如在UIWebView里应该有类似如下的代码:

if([self.delegate respondsToSelector:@selector(webViewDidStartLoad:)]) { 
    [self.delegate webViewDidStartLoad:self];
}

命名

delegate 方法一般以依靠 delegate 的类名开头,然后把依靠 delegate 的对象用第一个参数传进去。方法名一般常用will-should-did-这些词。比如,webViewDidStartLoad:(参数就是那个 webView)就要比loadStarted(没参数)好得多。

性能小优化

为了不用每调一次方法之前都要用respondsToSelector:来检查这个方法有没有实现,我们可以在设 delegate 的时候就检查哪些方法实现了、哪些没实现,然后缓存下来。最简洁的办法就是用一个标志位来保存,如下:

@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 <JSSomethingDelegate>)aDelegate {
    if (delegate != aDelegate) {
        delegate = aDelegate;

        delegateRespondsTo.didFinishLoadingItem = [delegate respondsToSelector:@selector(something:didFinishLoadingItem:)];
        delegateRespondsTo.didFailWithError = [delegate respondsToSelector:@selector(something:didFailWithError:)];
  }
}
@end

这样,在要调 delegate 方法的时候,我们就可以直接检查delegateRespondsTo 结构体的属性,不用再一遍又一遍调-respondsToSelector:了。

简写的 delegate

在有 protocol 之前,一般是给 NSObject 加一个 category 来声明 delegate 可以实现的方法。比如,现如今CALayer还有:

@interface NSObject(CALayerDelegate)
- (void)displayLayer:(CALayer *)layer;
// ... other methods here
@end

意思是告诉编译器,任何对象都可以实现displayLayer:方法。

如果这样写的话,在调用方法之前也要同样要用上面提到的-respondsToSelector:来检查。只要让 delegate 对象实现这个方法,然后把它保存在delegate属性里就行了,不用写 protocol 什么的。苹果官方的库里有不少这样的东西,但是新写的代码最好还是用上面声明 protocol 的正规写法。因为这种简写方法会污染NSObject(会干扰代码自动补全),并且也让编译器不易检查出打错字之类的 error。

原文地址:How do I create delegates in Objective-C?

本文地址:http://www.jianshu.com/p/42f42bed16cf

系列文集:爆栈热门 iOS 问题

译者:@戴仓薯

上一篇下一篇

猜你喜欢

热点阅读