【推荐】2019 Java 开发者跳槽指南.pdf(吐血整理) >>>
做iOS开发已经不短时间了,忙于项目,遇见问题,就去Google,忘记了积累,最近深知其中的危害,深深体会到经验不在于年限而在于积累这个道理。
从遇见的问题说起,想实现时刻监控UITextField有无文本这样一个功能,听起来很简单,感觉做起来也很容易,但就是这么个简单的问题,让我花费了很长时间,很是懊恼,决定重新审视下自己,整理下这方面的知识,来提高自己!好了废话少说,进入正题!
实现功能 监控UITextField是否有输入文本 从而实现按钮是否可以点击
解决方案 Notification
代码实现
//文本框
UITextField *textField = [[UITextField alloc] initWithFrame:CGRectMake(20, 100, 280, 50)];
textField.tag = 888;
[textField setClearButtonMode:UITextFieldViewModeWhileEditing];
[textField setContentVerticalAlignment:UIControlContentVerticalAlignmentCenter];
textField.layer.borderWidth = 0.5f;
//添加文本改变通知
[[NSNotificationCenter defaultCenter] addObserver:self selector:@selector(textChanged:) name:UITextFieldTextDidChangeNotification object:textField];
[self.view addSubview:textField];
//文本框内容改变时触发
- (void) textChanged:(NSNotification *) notification
{
UIAlertView *alertView = [[UIAlertView alloc] initWithTitle:@"提示" message:[NSString stringWithFormat:@"%@",notification.object] delegate:nil cancelButtonTitle:@"确定" otherButtonTitles:nil];
[alertView show];
}
由此引发的一些思考,想详细整理下 KVO 和 Notification 的使用
KVO
1.什么是KVO
KVO 即:Key-Value Observing,它提供一种机制,当指定的对象的属性被修改后,则对象就会接受到通知。
简单的说就是每次指定的被观察的对象的属性被修改后,KVO就会自动通知相应的观察者了。
2.实现步骤:
1)注册(指定被观察者的属性)
2)实现回调方法
3)移除观察
3.代码实现
//文本框
UITextField *textField = [[UITextField alloc] initWithFrame:CGRectMake(20, 100, 280, 50)];
textField.tag = 888;
[textField setClearButtonMode:UITextFieldViewModeWhileEditing];
[textField setContentVerticalAlignment:UIControlContentVerticalAlignmentCenter];
//1.注册
[textField addObserver:self forKeyPath:@"text" options:NSKeyValueObservingOptionNew | NSKeyValueObservingOptionOld context:nil];
textField.layer.borderWidth = 0.5f;
[self.view addSubview:textField];
//2.实现回调方法
- (void) observeValueForKeyPath:(NSString *)keyPath ofObject:(id)object change:(NSDictionary *)change context:(void *)context
{
if ([keyPath isEqualToString:@"text"]) {
UIAlertView *alertView = [[UIAlertView alloc] initWithTitle:@"提示" message:[NSString stringWithFormat:@"%@",object] delegate:nil cancelButtonTitle:@"确定" otherButtonTitles:nil];
[alertView show];
}
}
//3.移除通知
UITextField *textField = (UITextField *)[self.view viewWithTag:888];
[textField removeObserver:self forKeyPath:@"text"];
Notification
作用: NSNotificationCenter是专门供程序中不同类间的消息通信而设置的.
2.实现步骤:
1)注册(在什么地方接收消息)
[[NSNotificationCenter defaultCenter] addObserver:self selector:@selector(test:) name:@"TestNotification" object:nil];
2)发送通知
[[NSNotificationCenter defaultCenter] postNotificationName:@"TestNotification" object:myObject];
注:postNotificationName:通知的名字,也是通知的唯一标示,编译器就通过这个找到通知。
object:传递的参数
3)注册方法的写法:
- (void) test:(NSNotification*) notification
{
id obj = [notification object];//获取到传递的参数 即上方的myObject
}
4)移除通知
[[NSNotificationCenter defaultCenter] removeObserver:self name:@"TestNotification" object:nil];
来源:oschina
链接:https://my.oschina.net/u/1022417/blog/206629