观察者模式是为了解决什么问题
观察者模式定义了一种一对多的依赖关系,让多个观察者对象同时监听某一个主题对象。这个主题对象在状态上发生变化时,会通知所有观察者对象,使它们能够自动更新自己。
iOS中解决方案
- Notification
- KVO
具体实现
Notification
- 观察者
[[NSNotificationCenter defaultCenter] addObserver:self selector:@selector(notice:) name:@"notice" object:nil];
- (void)notice:(NSNotification *)sender{
NSLog(@"%@",sender);
}
- (void)dealloc {
// 删除根据name和对象,如果object对象设置为nil,则删除所有叫name的,否则便删除对应的
[[NSNotificationCenter defaultCenter] removeObserver:self name:@"notice" object:nil];
}
- 主题对象
/*
* name : 通知的名称
* object : 通知的发布者
* userInfo : 通知发布者传递给通知接收者的信息内容,字典格式
*/
[[NSNotificationCenter defaultCenter] postNotificationName:@"notice" object:nil userInfo:@{@"info": @"test"}];
KVO
KVO
全称叫Key Value Observing
,顾名思义就是一种观察者模式用于监听属性的变化。
例子:
@interface Model : NSObject
@property (nonatomic, copy) NSString *score;
@end
@interface ViewController ()
@property (weak, nonatomic) IBOutlet UILabel *label;
@property (nonatomic, strong) Model *model;
@end
@implementation ViewController
- (void)viewDidLoad {
[super viewDidLoad];
self.model = [[Model alloc] init];
// 监听model的score变化
[self.model addObserver:self forKeyPath:@"score" options:NSKeyValueObservingOptionOld|NSKeyValueObservingOptionNew context:@"label"];
self.model.score = @"90";
}
- (IBAction)btnAction:(id)sender {
// 按钮点击改变model的score
self.model.score = [NSString stringWithFormat:@"%d", arc4random()%101];
}
- (void)observeValueForKeyPath:(NSString *)keyPath ofObject:(id)object change:(NSDictionary<NSKeyValueChangeKey,id> *)change context:(void *)context {
if (object == self.model && context == @"label") {
// 将model的变化值赋给label
self.label.text = change[@"new"];
}
}
- (void)dealloc {
// 移除监听
[self.model removeObserver:self forKeyPath:@"score" context:@"label"];
}