使用通知中心监听事件
在qq中,用户点击键盘时,键盘弹出,聊天框也会随之移动.基本的思路是,当监听到键盘弹出时,需要将tableView上移一个键盘的高度,当用户滚动tableView时,将键盘收起,同时还原tableView至屏幕底部.要修改tableView的高度,需要取消tableview的顶部约束,固定tableview的高度约束即可.
tableView的约束
1.在storyboard底部搭建聊天栏底部界面,并设置相应的约束.
其中的层级结构如下:
2.将状态栏view的底部与控制器的view底部那根约束拖线只控制器文件中,当控制器监听到键盘弹出或收起时,只需修改constant值即可.如下图所示:
3.控制器要监听键盘的状态,需要拿到textFeild对象,在键盘状态改变时,系统会发送通知,接收通知并调用相应的方法即可.将textFeild拖线值控制器.
@property (weak, nonatomic) IBOutlet UITextField *messageFeild;
- (void)viewDidLoad {
[super viewDidLoad];
// Do any additional setup after loading the view.
//设置textFeild的光标向后移动5个像素的距离
UIView *leftView = [[UIView alloc] init];
leftView.frame = CGRectMake(0, 0, 5, 0);
self.messageFeild.leftView = leftView;
self.messageFeild.leftViewMode = UITextFieldViewModeAlways;
//添加一个通知,当keyboard的frame改变时就会调用keyboardChangeFrame:方法
[[NSNotificationCenter defaultCenter] addObserver:self selector:@selector(keyboardChangeFrame:) name:UIKeyboardWillChangeFrameNotification object:nil];
}
4 .实现keyboardChangeFrame:方法
- (void)keyboardChangeFrame:(NSNotification *)note{
//取出note.userInfo中键盘所改变的frame
CGRect value = [note.userInfo[UIKeyboardFrameEndUserInfoKey] CGRectValue];
//取出note.userInfo中键盘弹出所需要的时间
double duration = [note.userInfo[UIKeyboardAnimationDurationUserInfoKey] doubleValue];
[UIView animateWithDuration:duration animations:^{
//设置约束的值为控制器的高度减去键盘改变的值(键盘弹出时y值减少,收起是y值为控制器的高度)
self.buttomSpacing.constant = self.view.frame.size.height - value.origin.y;
}];
//强制布局子控件,实现动画效果
[self.view layoutIfNeeded];
5.设置键盘收起
- (void)scrollViewWillBeginDragging:(UIScrollView *)scrollView{
[self.messageFeild resignFirstResponder];
}
6.使用NSNotificationCenter时必须重写dealloc方法移除观察者,否则当观察者释放之后再访问会造成程序崩溃.
- (void)dealloc{
//使用NSNotificationCenter时必须重写dealloc方法移除观察者,否则当观察者释放之后再访问会造成程序崩溃
[[NSNotificationCenter defaultCenter] removeObserver:self];
}
使用transform修改约束
只需将修改约束的代码修改为:
- (void)keyboardWillChangeFrame:(NSNotification *)note {
// 取出键盘最终的frame
CGRect rect = [note.userInfo[UIKeyboardFrameEndUserInfoKey] CGRectValue];
// 取出键盘弹出需要花费的时间
double duration = [note.userInfo[UIKeyboardAnimationDurationUserInfoKey] doubleValue];
// 修改transform
[UIView animateWithDuration:duration animations:^{
CGFloat ty = [UIScreen mainScreen].bounds.size.height - rect.origin.y;
self.view.transform = CGAffineTransformMakeTranslation(0, - ty);
}];
}