在我们进行iOS编程的时候 ,我们经常要针对 app 运行过程中来自用户、网络的各种事件进行对应处理。
针对这些事件,Apple提供了三种方式在特定事件的回调(Callbacks)机制。
1、目标—动作(Target-action)
解释:当事件发生,向指定的对象发送特定的消息。这里接受消息的对象是目标,消息的选择器是动作。
我们平时在 storyboard 上选中一个view按ctrl拉线到代码区,设置方法就是这种机制。
下面手动操作:
- (void)viewDidLoad {
[super viewDidLoad];
UIButton *cancelButton = [[UIButton alloc] initWithFrame:CGRectMake(100, 100, 100, 100)];
[cancelButton setTitle:@"cancel" forState:UIControlStateNormal];
[cancelButton setTitleColor:[UIColor blackColor] forState:UIControlStateNormal];
[self.view addSubview:cancelButton];
self.view.backgroundColor = [UIColor redColor];
[cancelButton addTarget:self action:@selector(handle) forControlEvents:UIControlEventTouchUpInside];
}
- (void)handle {
self.view.backgroundColor = [UIColor yellowColor];
}
当点击事件发生,系统回调当前对象 handle 方法。
2、辅助对象(Helper objects)
解释:当事件发生,向遵守相应协议的辅助对象发送消息,委托对象和数据源都是辅助对象的一种。
目标—动作机制适合比较简单的事件,当事件比较复杂的时候,就不太适合。所以当事件比较复杂的时候,采用辅助对象
我们以 UITableView 为例子,我们经常使用 UITableView 实例来显示数据,但是 UITableView 本身不包括要显示的数据,必须从其他对象获取。
这个其他对象就是辅助对象,辅助对象实现了对应的协议 UITableViewDataSource ,能够完成 UITableView 需要的做的事。
@interface ViewController : UIViewController <UITableViewDataSource>
要重写以下方法:
- (NSInteger)tableView:(UITableView *)tv numberOfRowInSection:(NSInteger)section;
- (UITableViewCell *)tableView:(UITableView *)tv cellForRowAtIndexPath:(NSIndexPath *)ip;
设置辅助对象
self.source = self;
3、通知(Notification)
这是 Apple 提供的通知中心对象实现。提前告知中心某个对象正在等待特定的通知,在通知通知出现时,向指定的对象发送特定的消息。
这个应用了观察者模式,
在通知中心注册观察者,
[[NSNotificationCenter defaultCenter] addObserver:self selector:@selector(handle) name:NSSystemClockDidChangeNotification object:nil];
注释:选择器 selector ,编译器为了可以快速找的方法,给每个方法编了唯一的数字,运行时都是使用这个数字,而不是方法名,@selector() 就是把方法名转成那个数字。