iOS实现多代理
什么是多代理
用过环信SDK的同学应该对多代理不陌生了,请看下面代码:
1
2
3
4
5
6
7
8
|
@method
@brief 注册一个监听对象到监听列表中
@discussion 把监听对象添加到监听列表中准备接收相应的事件
@param delegate 需要注册的监听对象
@param queue 通知监听对象时的线程
@result
*/
- ( void )addDelegate:(id<EMChatManagerDelegate>)delegate delegateQueue:(dispatch_queue_t)queue;
|
平时我们写得比较多的代理:
@property (nonatomic,weak) id<EMChatManagerDelegate>delegate;
写了上面属性后系统会默认生成set方法:
- (void)setDelegate:(id<EMChatManagerDelegate>)delegate;
通过对两个接口的比较就不难看出:单代理只能设置一个,而多代理可以设置多个,准确来说应该是多代理可以添加多个
多代理有什么用
有些同学可能会问为什么要用多代理?用通知也能实现多个对象同时监听啊。是的,用监听通知的方式也能达到目的。
举个例子:服务端通过 socket 传来一个红点消息{"type":21,"content":"某某消息"},
现在多个页面都想拿到这个消息来判断自己是否需要显示红点。
用通知实现
监听通知
[[NSNotificationCenter defaultCenter] addObserver:self selector:@selector(onReceiveMsg:) name:@"kNotificationName_OnReceiveRedPointMsg" object:nil];
实现通知方法
1
2
3
4
5
6
|
- ( void )onReceiveRedPointMsg:(NSNotification *)noti {
NSDictionary *info = noti.userInfo;
if ([info[@ "type" ] integerValue] == 21 ) {
<#code#>
}
}
|
用代理实现
注册代理
[[RedPointManager sharedInstance] addDelegate:<#(id<RedPointManagerDelegate>)#>]
实现代理方法
1
2
3
4
5
|
- ( void )redPointManagerDidReceive:(RedPointModel *)redPointModel {
if (redPointModel.type == 21 ) {
<#code#>
}
}
|
显然,用代理实现更直观明了。
如何实现多代理
上面提到过setDelegate:(id<EMChatManagerDelegate>)delegate的方式是不可行的,当第二次set的时候第一次设置的代理就不被持有了。只能通过addDelegate:(id<EMChatManagerDelegate>)delegate 这种方式来实现。
是不是有点不淡定了,将代理对象add到数组(或者字典)中,会使对象引用计数+1,导致代理对象不能释放。没错,直接把代理加到数组中是不可行的。但是要持有多个代理对象,又要考虑到释放问题怎么搞。看看平时写的代理属性 @property (nonatomic,weak) id<EMChatManagerDelegate>delegate; 突然想到了用weak修饰不就行了吗。
所以,可以通过桥接来实现对多个代理对象的持有。
这样就好办了,数组持有桥接对象,桥接对象再拥有自己的delegate。
1
2
3
4
5
6
7
8
9
10
|
class WeakObjectBridge : NSObject {
weak var weakObject : AnyObject?
override init() {
super .init()
}
init(object:AnyObject?) {
super .init()
weakObject = object
}
}
|
操作代理
1
2
3
4
5
6
7
|
func operatDelegate(cb: @escaping (_ delegate:AnyObject?) -> ()){
for weakObjectBridge in self.delegateBridges {
DispatchQueue.main.async {
cb(weakObjectBridge.weakObject)
}
}
}
|
具体调用
1
2
3
4
5
6
7
8
|
func action() {
operatDelegate { (delegate) in
if let myDelegate = delegate as? SomeManagerDelegate {
myDelegate.callBack()
myDelegate.callback?(msg: [ "msg" : "hello world!" ])
}
}
}
|
Demo演示
Demo下载
感谢阅读,希望能帮助到大家,谢谢大家对本站的支持!