Отримайте вхідне значення з TextField в iOS-попередженні в Swift


121

Я намагаюся зробити попереджувальне повідомлення з введенням, а потім отримати значення з введення. Я знайшов багато хороших навчальних посібників, як зробити поле для введення тексту. але я не можу отримати значення від попередження.


Сповіщення про дії на iOS?
Енді Ібанез

@AndyIbanez Так, не згадав про це!
ntoonio

Відповіді:


334

Оновлено для Swift 3 і вище:

//1. Create the alert controller.
let alert = UIAlertController(title: "Some Title", message: "Enter a text", preferredStyle: .alert)

//2. Add the text field. You can configure it however you need.
alert.addTextField { (textField) in
    textField.text = "Some default text"
}

// 3. Grab the value from the text field, and print it when the user clicks OK.
alert.addAction(UIAlertAction(title: "OK", style: .default, handler: { [weak alert] (_) in
    let textField = alert.textFields![0] // Force unwrapping because we know it exists.
    print("Text field: \(textField.text)")
}))

// 4. Present the alert.
self.present(alert, animated: true, completion: nil)

Швидкий 2.x

Припустимо, що ви хочете отримати попередження про дії на iOS:

//1. Create the alert controller.            
var alert = UIAlertController(title: "Some Title", message: "Enter a text", preferredStyle: .Alert)

//2. Add the text field. You can configure it however you need.
alert.addTextFieldWithConfigurationHandler({ (textField) -> Void in
    textField.text = "Some default text."
})

//3. Grab the value from the text field, and print it when the user clicks OK. 
alert.addAction(UIAlertAction(title: "OK", style: .Default, handler: { [weak alert] (action) -> Void in
    let textField = alert.textFields![0] as UITextField
    println("Text field: \(textField.text)")
}))

// 4. Present the alert.
self.presentViewController(alert, animated: true, completion: nil)

Не проблема. Будь ласка, не забудьте позначити це як Прийняте, якщо воно вам допомогло. Дякую!
Енді Ібанез

Привіт @AndyIbanez Я намагаюся реалізувати ваш код у своєму додатку, однак його повідомлення про помилку "Використання незадекларованого ідентифікатора var" Я новачок у Xcode, тому вибачте, якщо це основна помилка від мого імені
Sjharrison

@Sjharrison Мій код призначений для Swift. Єдина причина, про яку я можу подумати, що може викликати у вас проблеми з varключовим словом, це якщо ви писали в Objective-C.
Енді Ібанез

1
Хто-небудь може пояснити, чому [weak alert]? Я дивлюся на Свіфт 3.
Андрій

3
Для попередження Swift 3 на кроці 3. необов'язково, потрібне "?" let textField = alert?.textFields![0] // Force unwrapping because we know it exists. print("Text field: \(textField?.text)")
Джеймс

27

Швидкий 3/4

Для зручності ви можете скористатися наведеним нижче розширенням.

Використання всередині ViewController:

showInputDialog(title: "Add number",
                subtitle: "Please enter the new number below.",
                actionTitle: "Add",
                cancelTitle: "Cancel",
                inputPlaceholder: "New number",
                inputKeyboardType: .numberPad)
{ (input:String?) in
    print("The new number is \(input ?? "")")
}

Код розширення:

extension UIViewController {
    func showInputDialog(title:String? = nil,
                         subtitle:String? = nil,
                         actionTitle:String? = "Add",
                         cancelTitle:String? = "Cancel",
                         inputPlaceholder:String? = nil,
                         inputKeyboardType:UIKeyboardType = UIKeyboardType.default,
                         cancelHandler: ((UIAlertAction) -> Swift.Void)? = nil,
                         actionHandler: ((_ text: String?) -> Void)? = nil) {

        let alert = UIAlertController(title: title, message: subtitle, preferredStyle: .alert)
        alert.addTextField { (textField:UITextField) in
            textField.placeholder = inputPlaceholder
            textField.keyboardType = inputKeyboardType
        }
        alert.addAction(UIAlertAction(title: actionTitle, style: .default, handler: { (action:UIAlertAction) in
            guard let textField =  alert.textFields?.first else {
                actionHandler?(nil)
                return
            }
            actionHandler?(textField.text)
        }))
        alert.addAction(UIAlertAction(title: cancelTitle, style: .cancel, handler: cancelHandler))

        self.present(alert, animated: true, completion: nil)
    }
}

просто зауважте, що якщо ви збираєтесь представити дію "Додати", переконайтеся, що стиль, якщо "за замовчуванням" не "деструктивний" - alert.addAction (UIAlertAction (назва: actionTitle, стиль: .default ...
Бішаль Гіміре

13

У Swift5 ans Xcode 10

Додайте два текстових поля за допомогою дій Зберегти та Скасувати та прочитайте текстові дані TextFields

func alertWithTF() {
    //Step : 1
    let alert = UIAlertController(title: "Great Title", message: "Please input something", preferredStyle: UIAlertController.Style.alert )
    //Step : 2
    let save = UIAlertAction(title: "Save", style: .default) { (alertAction) in
        let textField = alert.textFields![0] as UITextField
        let textField2 = alert.textFields![1] as UITextField
        if textField.text != "" {
            //Read TextFields text data
            print(textField.text!)
            print("TF 1 : \(textField.text!)")
        } else {
            print("TF 1 is Empty...")
        }

        if textField2.text != "" {
            print(textField2.text!)
            print("TF 2 : \(textField2.text!)")
        } else {
            print("TF 2 is Empty...")
        }
    }

    //Step : 3
    //For first TF
    alert.addTextField { (textField) in
        textField.placeholder = "Enter your first name"
        textField.textColor = .red
    }
    //For second TF
    alert.addTextField { (textField) in
        textField.placeholder = "Enter your last name"
        textField.textColor = .blue
    }

    //Step : 4
    alert.addAction(save)
    //Cancel action
    let cancel = UIAlertAction(title: "Cancel", style: .default) { (alertAction) in }
    alert.addAction(cancel)
    //OR single line action
    //alert.addAction(UIAlertAction(title: "Cancel", style: .default) { (alertAction) in })

    self.present(alert, animated:true, completion: nil)

}

Для отримання додаткових пояснень https://medium.com/@chan.henryk/alert-controller-with-text-field-in-swift-3-bda7ac06026c

Використовуючи наш веб-сайт, ви визнаєте, що прочитали та зрозуміли наші Політику щодо файлів cookie та Політику конфіденційності.
Licensed under cc by-sa 3.0 with attribution required.