我正在构建一个应用程序。它需要接受来自某些UITextField
的用户输入。有时键盘会隐藏文本字段,因此当键盘CGRect
与文本字段的frame
相交时,我需要向上移动视图。
我跟着this tutorial我添加了一些自己的逻辑,因为我有多个文本字段。
这是我的相关代码:(整个事情都在VC中,符合UITextFieldDelegate
)
var focusedTextField: UITextField?
var viewMovedUp = false
var keyboardSize: CGRect!
override func viewDidAppear(animated: Bool) {
super.viewDidAppear(animated)
NSNotificationCenter.defaultCenter().addObserver(self, selector: Selector("keyboardWillShow:"), name:UIKeyboardWillShowNotification, object: nil);
NSNotificationCenter.defaultCenter().addObserver(self, selector: Selector("keyboardWillHide:"), name:UIKeyboardWillHideNotification, object: nil);
NSNotificationCenter.defaultCenter().addObserver(self, selector: Selector("onRotate:"), name:UIDeviceOrientationDidChangeNotification, object: nil);
}
override func viewDidDisappear(animated: Bool) {
super.viewWillDisappear(animated)
NSNotificationCenter.defaultCenter().removeObserver(self)
}
func textFieldShouldReturn(textField: UITextField) -> Bool {
textField.resignFirstResponder()
return true
}
func textFieldDidBeginEditing(textField: UITextField) {
focusedTextField = textField
}
func onRotate (notification: NSNotification) {
view.endEditing(true)
}
func keyboardWillShow(notification: NSNotification) {
if let userInfo = notification.userInfo {
if let keyboardSize = (userInfo[UIKeyboardFrameEndUserInfoKey] as? NSValue)?.CGRectValue() {
self.keyboardSize = keyboardSize
assert(focusedTextField != nil)
if CGRectIntersectsRect(focusedTextField!.bounds, keyboardSize){
moveView(up: true)
}
}
}
}
func keyboardWillHide(notification: NSNotification) {
if viewMovedUp {
moveView(up: false)
}
}
func moveView (up up: Bool) {
let keyboardHeight = keyboardSize.height
let movement = (up ? -keyboardHeight : keyboardHeight)
UIView.animateWithDuration(0.3, animations: {
self.view.frame = CGRectOffset(self.view.frame, 0, movement)
})
viewMovedUp = up
}
如果你不想阅读整个代码,我会解释它的要点。所以基本上当用户点击其中一个文本字段时,textFieldDidBeginEditing
会获得调用。这基本上将focusedTextField
设置为用户正在编辑的文本字段。然后调用keyBoardWillShow
。它获取键盘大小并将其分配给名为keyboardSize
的类级变量。然后检查焦点文本字段(记住?)是否被键盘覆盖(通过CGRectIntersectRect
)。如果是,那么我们通过调用moveView
来移动视图。该方法完全正常,因此无需解释。
现在问题了!
让我们看一下VC的屏幕截图:
当我点击“输入A”文本字段时,视图会按预期向上移动。但是当我点击“输入P”文本字段时,键盘会显示并完全覆盖文本字段。
经过一些调试,我找到了
CGRectIntersectsRect(focusedTextField!.bounds,keyboardSize)
返回false
,因此不会调用moveView
。 “输入P”文本字段和键盘大小如下:
Bounds of text field:
x: 62 y: 94.5
height: 32.5 width: 278
Keyboard size:
x: 0 y: 158
height: 162 width: 568
仅从这些数字来看,我认为它们并不重叠。但从视觉上看,他们确实做到了!
我还尝试将focusedTextField!.bounds
更改为focusedTextField.frame
,但仍然无效。
为什么会这样?我该如何解决?
答案 0 :(得分:2)
问题在于此代码:
CGRectIntersectsRect(focusedTextField!.bounds, keyboardSize)
...你正在比较苹果和橘子:
focusedTextField!.bounds
位于focusedTextField
keyboardSize
位于窗口的坐标空间
(focusedTextField.frame
不起作用的原因是它在另一个坐标空间,即文本字段的超级视图的坐标空间。)
这是两个非常不同的坐标空间,因此您无法比较这些面积。您必须将其中一个转换为另一个的坐标空间。
例如,我认为这样做:
newKeyboardSize = focusedTextField.convertRect(keyboardSize, fromView:nil)
现在newKeyboardSize
和focusedTextField.bounds
应位于相同的坐标空间中。