Кнопка Next/Done с помощью Swift с textFieldShouldReturn
у меня есть MainView, который добавляет subview (signUpWindow) при нажатии кнопки регистрации.
в моем subview signUpWindow (SignUpWindowView.swift), я настраиваю каждое поле с функцией, например:
func confirmPasswordText()
{
confirmPasswordTextField.frame=CGRectMake(50, 210, 410, 50)
confirmPasswordTextField.placeholder=("Confirm Password")
confirmPasswordTextField.textColor=textFieldFontColor
confirmPasswordTextField.secureTextEntry=true
confirmPasswordTextField.returnKeyType = .Next
confirmPasswordTextField.clearButtonMode = .WhileEditing
confirmPasswordTextField.tag=5
self.addSubview(confirmPasswordTextField)
}
у меня на клавиатуре двигать signUpWindow вверх и вниз, когда он появляется и исчезает в MainView.
SignUpWindowView
осуществляет UITextFieldDelegate
моя проблема в том, что я пытаюсь настроить кнопку Next / Done на клавиатура и не уверен, какой вид (MainView
или SignUpWindowView
), чтобы добавить . Я пробовал оба, но даже не могу получить println
для запуска, чтобы проверить, выполняется ли функция. Как только я получу textFieldShouldReturn
чтобы стрелять, я уверен, что могу выполнить необходимый код, чтобы получить кнопки Next/Done, чтобы сделать то, что я хочу, и опубликует окончательное решение, чтобы включить функцию Next/Done.
обновлено для включения сокращенной версии SignUpWindowView.Свифт!--21-->
import UIKit
class SignUpWindowView: UIView,UITextFieldDelegate {
let firstNameTextField:UITextField=UITextField()
let lastNameTextField:UITextField=UITextField()
override func drawRect(rect: CGRect){
func firstNameText(){
firstNameTextField.delegate=self
firstNameTextField.frame=CGRectMake(50, 25, 200, 50)
firstNameTextField.placeholder="First Name"
firstNameTextField.returnKeyType = .Next
self.addSubview(firstNameTextField)
}
func lastNameText(){
lastNameTextField.delegate=self
lastNameTextField.frame=CGRectMake(260, 25, 200, 50)
lastNameTextField.placeholder="Last Name"
lastNameTextField.returnKeyType = .Done
self.addSubview(lastNameTextField)
}
func textFieldShouldReturn(textField: UITextField!) -> Bool{
println("next button should work")
if (textField === firstNameTextField)
{
firstNameTextField.resignFirstResponder()
lastNameTextField.becomeFirstResponder()
}
return true
}
firstNameText()
lastNameText()
}
4 ответов
нужно реализовать UITextFieldDelegate
в вашем классе и установите этот объект в качестве делегата для UITextField
. Тогда реализуйте метод textFieldShouldReturn:
такой:
func textFieldShouldReturn(textField: UITextField) -> Bool {
textField.resignFirstResponder()
if textField == someTextField { // Switch focus to other text field
otherTextField.becomeFirstResponder()
}
return true
}
в вашем примере вам не хватает этой строки:
confirmPasswordTextField.delegate = self
если вы реализовали делегат конечно.
Я пытался проверить свои текстовые поля в SignUpWindowView.swift, где создаются все текстовые поля. Но, поскольку я помещаю SignUpWindowView в мой MainViewController в качестве подвида, вся моя "обработка" UITextField должна была выполняться в MainView, а не в его подвиде.
Итак, вот весь мой код (на данный момент) для моего MainViewController, который обрабатывает перемещение моего SignUpWindowView вверх / вниз, когда клавиатура отображается / скрыта, а затем перемещается из одного поля в следующий. Когда пользователь находится в последнем текстовом поле (чья кнопка клавиатуры Next теперь установлена в Done в подвиде), клавиатура убирается, и пользователь может отправить форму с помощью кнопки регистрации.
MainViewController:
import UIKit
@objc protocol ViewControllerDelegate
{
func keyboardWillShowWithSize(size:CGSize, andDuration duration:NSTimeInterval)
func keyboardWillHideWithSize(size:CGSize,andDuration duration:NSTimeInterval)
}
class ViewController: UIViewController,UITextFieldDelegate
{
var keyboardDelegate:ViewControllerDelegate?
let signUpWindow=SignUpWindowView()
let signUpWindowPosition:CGPoint=CGPointMake(505, 285)
override func viewDidLoad()
{
super.viewDidLoad()
// Keyboard Notifications
NSNotificationCenter.defaultCenter().addObserver(self, selector: "keyboardWillShow:", name: UIKeyboardWillShowNotification, object: nil)
NSNotificationCenter.defaultCenter().addObserver(self, selector: "keyboardWillHide:", name: UIKeyboardWillHideNotification, object: nil)
// set the textFieldDelegates
signUpWindow.firstNameTextField.delegate=self
signUpWindow.lastNameTextField.delegate=self
signUpWindow.userNameTextField.delegate=self
signUpWindow.passwordTextField.delegate=self
signUpWindow.confirmPasswordTextField.delegate=self
signUpWindow.emailTextField.delegate=self
}
func keyboardWillShow(notification: NSNotification)
{
var info:NSDictionary = notification.userInfo!
let keyboardFrame = info[UIKeyboardFrameEndUserInfoKey] as! NSValue
let keyboardSize = keyboardFrame.CGRectValue().size
var keyboardHeight:CGFloat = keyboardSize.height
let animationDurationValue = info[UIKeyboardAnimationDurationUserInfoKey] as! NSNumber
var animationDuration : NSTimeInterval = animationDurationValue.doubleValue
self.keyboardDelegate?.keyboardWillShowWithSize(keyboardSize, andDuration: animationDuration)
// push up the signUpWindow
UIView.animateWithDuration(animationDuration, delay: 0.25, options: UIViewAnimationOptions.CurveEaseInOut, animations: {
self.signUpWindow.frame = CGRectMake(self.signUpWindowPosition.x, (self.signUpWindowPosition.y - keyboardHeight+140), self.signUpWindow.bounds.width, self.signUpWindow.bounds.height)
}, completion: nil)
}
func keyboardWillHide(notification: NSNotification)
{
var info:NSDictionary = notification.userInfo!
let keyboardFrame = info[UIKeyboardFrameEndUserInfoKey] as! NSValue
let keyboardSize = keyboardFrame.CGRectValue().size
var keyboardHeight:CGFloat = keyboardSize.height
let animationDurationValue = info[UIKeyboardAnimationDurationUserInfoKey] as! NSNumber
var animationDuration : NSTimeInterval = animationDurationValue.doubleValue
self.keyboardDelegate?.keyboardWillHideWithSize(keyboardSize, andDuration: animationDuration)
// pull signUpWindow back to its original position
UIView.animateWithDuration(animationDuration, delay: 0.25, options: UIViewAnimationOptions.CurveEaseInOut, animations: {
self.signUpWindow.frame = CGRectMake(self.signUpWindowPosition.x, self.signUpWindowPosition.y, self.signUpWindow.bounds.width, self.signUpWindow.bounds.height)
}, completion: nil)
}
func textFieldShouldReturn(textField: UITextField) -> Bool
{
switch textField
{
case signUpWindow.firstNameTextField:
signUpWindow.lastNameTextField.becomeFirstResponder()
break
case signUpWindow.lastNameTextField:
signUpWindow.userNameTextField.becomeFirstResponder()
break
case signUpWindow.userNameTextField:
signUpWindow.passwordTextField.becomeFirstResponder()
break
case signUpWindow.passwordTextField:
signUpWindow.confirmPasswordTextField.becomeFirstResponder()
break
case signUpWindow.confirmPasswordTextField:
signUpWindow.emailTextField.becomeFirstResponder()
break
default:
textField.resignFirstResponder()
}
return true
}
override func didReceiveMemoryWarning() {
super.didReceiveMemoryWarning()
// Dispose of any resources that can be recreated.
}
override func viewWillDisappear(animated: Bool) {
NSNotificationCenter.defaultCenter().removeObserver(self, name: UIKeyboardWillShowNotification, object: nil)
NSNotificationCenter.defaultCenter().removeObserver(self, name: UIKeyboardWillHideNotification, object: nil)
}
@IBAction func signup()
{
signUpWindow.frame=CGRectMake(signUpWindowPosition.x, signUpWindowPosition.y, 485,450)
signUpWindow.backgroundColor=UIColor.clearColor()
self.view.addSubview(signUpWindow)
}
}
использование тегов облегчает работу. Присвоить теги в порядке возрастания для всех текстовых полей, которые вы используете на вашем экране.
func textFieldShouldReturn(_ textField: UITextField) -> Bool {
let textTag = textField.tag+1
let nextResponder = textField.superview?.viewWithTag(textTag) as UIResponder!
if(nextResponder != nil)
{
//textField.resignFirstResponder()
nextResponder?.becomeFirstResponder()
}
else{
// stop editing on pressing the done button on the last text field.
self.view.endEditing(true)
}
return true
}
подключения DidEndOnExit
(Я написал это по памяти, поэтому, возможно, это не называется точно, но похоже)UIControl
событие с помощью @IBAction
и в этом func вы используете textF.resignFirstResponder()
или .becomeFirstResponder()
редактировать
UITextField является подклассом UIControl и для программного добавления нового события вы используете метод addTarget (). Ex:
func a(sender: AnyObject) {}
textField.addTarget(self, action: "a:", forControlEvents: .EditingDidEndOnExit)