通过继承处理所有界面键盘弹框

在用户进行输入时,弹出的键盘窗口有时会遮挡输入框,为了解决这一问题,需要在键盘弹出时,将用户界面向上平移,并在键盘消失时恢复原状态。如果在每个ViewController里处理这个问题,会造成大量的重复代码,并且不利于维护。所以我们尝试让所有的ViewController继承自同一个父类,并在父类中统一处理。

首先重写ViewDidload注册键盘弹出和消失的事件

- (void)viewDidLoad
{
    [super viewDidLoad];
    [self initKeyboardNotifacation];
}
- (void)initKeyboardNotifacation
{
    [[NSNotificationCenter defaultCenter] addObserver:self selector:@selector(keyboardWillShow:) name:UIKeyboardWillShowNotification object:nil];
    [[NSNotificationCenter defaultCenter] addObserver:self selector:@selector(keyboardWillHide:) name:UIKeyboardWillHideNotification object:nil];
}

实现弹出键盘事件

- (void)keyboardWillShow:(NSNotification *)notification
{
    if (!self.view.superview) {
        return;
    }
    //1
    UIWindow *keyWindow = nil;
    NSArray *windowsArray = [[UIApplication sharedApplication] windows];
    keyWindow    = windowsArray[0];
    //2
    NSValue *rectValue = [notification.userInfo objectForKey:UIKeyboardFrameEndUserInfoKey];
    CGFloat keyboardHeight = [rectValue CGRectValue].size.height;
    //3
    UIView *firstResponder = [self.view findFirstResponder];
    CGRect actionframe = [firstResponder.superview convertRect:firstResponder.frame toView:keyWindow];
    //4
    _space = 0.0f;
    _space = actionframe.origin.y + actionframe.size.height + keyboardHeight - keyWindow.frame.size.height;
   //5
    if (_space > 0.0f) {
        [UIView animateWithDuration:0.3 animations:^{
            CGRect frame = self.view.frame;
            frame.origin.y -= _space;
            [self.view setFrame:frame];
        }];
    }else{
        _space = 0.0f;
    }
}

1、获取当前的keywindow
2、获取键盘弹出高度
3、获取当前的第一响应者,即用户点击的控件,并计算View在窗口中的位置
这里使用了UIView的分类方法

- (UIView *)findFirstResponder
{
    if (self.isFirstResponder) {
        return self;
    }
    for (UIView *subView in self.subviews) {
        UIView *firstResponder = [subView findFirstResponder];
        if (firstResponder) {
            return firstResponder;
        }
    }
    return nil;
}
//这个方法也可以获取,但是审核会被拒,慎用。
UIWindow *keyWindow = [[UIApplication sharedApplication] keyWindow];
UIView *firstResponder = [keyWindow performSelector:@selector(firstResponder)];
文/舒耀(作者)原文链接:http://www.jianshu.com/p/f58e1036de4e著作权归作者所有,转载请联系作者获得授权,并标注“作者”。

4、计算需要上移的距离
5、判断是否需要移动界面,不需要则初始化_space

键盘消失

- (void)keyboardWillHide:(NSNotification *)notification
{
    [UIView animateWithDuration:0.3 animations:^{
        CGRect frame = self.view.frame;
        frame.origin.y += _space;
        [self.view setFrame:frame];
    }];
}

如果点击的界面换成TextView这种富文本的控件,就不能简单的平移控件的高度了,可以尝试动态的获取内容的高度,在ChangeText里面进行处理


如果发现代码中存在任何问题,请在留言中进行纠正

你可能感兴趣的:(通过继承处理所有界面键盘弹框)