Швидкий перегляд попередження за допомогою кнопки ОК та Скасувати: яку кнопку натиснути?


105

У мене на екрані Xcode написано Swift, і я хотів би визначити, яку кнопку вибрав користувач (це діалогове вікно підтвердження), щоб нічого не робити або виконувати.

На даний момент у мене:

@IBAction func pushedRefresh(sender: AnyObject) {
    var refreshAlert = UIAlertView()
    refreshAlert.title = "Refresh?"
    refreshAlert.message = "All data will be lost."
    refreshAlert.addButtonWithTitle("Cancel")
    refreshAlert.addButtonWithTitle("OK")
    refreshAlert.show()
}

Напевно, я неправильно використовую кнопки, будь ласка, виправте мене, оскільки це все для мене нове.


продублювати на stackoverflow.com/questions/24195310 / ...
Mixaz

Відповіді:


303

Якщо ви використовуєте iOS8, вам слід використовувати UIAlertController - UIAlertView застарілий .

Ось приклад того, як його використовувати:

var refreshAlert = UIAlertController(title: "Refresh", message: "All data will be lost.", preferredStyle: UIAlertControllerStyle.Alert)

refreshAlert.addAction(UIAlertAction(title: "Ok", style: .Default, handler: { (action: UIAlertAction!) in
  print("Handle Ok logic here")
  }))

refreshAlert.addAction(UIAlertAction(title: "Cancel", style: .Cancel, handler: { (action: UIAlertAction!) in
  print("Handle Cancel Logic here")
  }))

presentViewController(refreshAlert, animated: true, completion: nil)

Як ви бачите блокові обробники для обробки UIAlertAction, кнопка натискає. Тут чудовий підручник (хоча цей підручник написано не швидко): http://hayageek.com/uialertcontroller-example-ios/

Оновлення Swift 3:

let refreshAlert = UIAlertController(title: "Refresh", message: "All data will be lost.", preferredStyle: UIAlertControllerStyle.alert)

refreshAlert.addAction(UIAlertAction(title: "Ok", style: .default, handler: { (action: UIAlertAction!) in
    print("Handle Ok logic here")
}))

refreshAlert.addAction(UIAlertAction(title: "Cancel", style: .cancel, handler: { (action: UIAlertAction!) in
    print("Handle Cancel Logic here")
}))

present(refreshAlert, animated: true, completion: nil)

Оновлення Swift 5:

let refreshAlert = UIAlertController(title: "Refresh", message: "All data will be lost.", preferredStyle: UIAlertControllerStyle.alert)

refreshAlert.addAction(UIAlertAction(title: "Ok", style: .default, handler: { (action: UIAlertAction!) in
      print("Handle Ok logic here")
}))

refreshAlert.addAction(UIAlertAction(title: "Cancel", style: .cancel, handler: { (action: UIAlertAction!) in
      print("Handle Cancel Logic here")
}))

present(refreshAlert, animated: true, completion: nil)

4
Ви могли скористатися UIAlertActionStyle.Cancelскоріше, ніж .Defaultу своєму прикладі.
Трістан Уорнер-Сміт

Якщо я не хочу робити нічого в дії Скасувати, я нічого не можу повернути?
Габріель Родрігес

Звичайно, технічно я нічого не роблю на прикладі, крім ведення журналу. Але якби я зняв колоду, я б нічого не робив.
Майкл Уайлдермут

1
Це так чудово, коли відповіді оновлюються для новіших версій Swift
BlackTigerX

хтось знає, як додати ідентифікатор доступності до дій "добре" та "скасувати"
Kamaldeep singh Bhatia

18
var refreshAlert = UIAlertController(title: "Log Out", message: "Are You Sure to Log Out ? ", preferredStyle: UIAlertControllerStyle.Alert)

refreshAlert.addAction(UIAlertAction(title: "Confirm", style: .Default, handler: { (action: UIAlertAction!) in
    self.navigationController?.popToRootViewControllerAnimated(true)
}))

refreshAlert.addAction(UIAlertAction(title: "Cancel", style: .Default, handler: { (action: UIAlertAction!) in

    refreshAlert .dismissViewControllerAnimated(true, completion: nil)


}))

presentViewController(refreshAlert, animated: true, completion: nil)

4

Оновлено для швидкої 3:

// визначення функції:

@IBAction func showAlertDialog(_ sender: UIButton) {
        // Declare Alert
        let dialogMessage = UIAlertController(title: "Confirm", message: "Are you sure you want to Logout?", preferredStyle: .alert)

        // Create OK button with action handler
        let ok = UIAlertAction(title: "OK", style: .default, handler: { (action) -> Void in
             print("Ok button click...")
             self.logoutFun()
        })

        // Create Cancel button with action handlder
        let cancel = UIAlertAction(title: "Cancel", style: .cancel) { (action) -> Void in
            print("Cancel button click...")
        }

        //Add OK and Cancel button to dialog message
        dialogMessage.addAction(ok)
        dialogMessage.addAction(cancel)

        // Present dialog message to user
        self.present(dialogMessage, animated: true, completion: nil)
    }

// Визначення функції logoutFun ():

func logoutFun()
{
    print("Logout Successfully...!")
}

3

Ви можете легко зробити це за допомогою UIAlertController

let alertController = UIAlertController(
       title: "Your title", message: "Your message", preferredStyle: .alert)
let defaultAction = UIAlertAction(
       title: "Close Alert", style: .default, handler: nil)
//you can add custom actions as well 
alertController.addAction(defaultAction)

present(alertController, animated: true, completion: nil)

.

Довідка: Попередження про показ iOS


0

Ви можете розглянути можливість використання SCLAlertView , альтернативного для UIAlertView або UIAlertController .

UIAlertController працює лише на iOS 8.x або вище, SCLAlertView - хороший варіант для підтримки старшої версії.

github, щоб переглянути деталі

приклад:

let alertView = SCLAlertView()
alertView.addButton("First Button", target:self, selector:Selector("firstButton"))
alertView.addButton("Second Button") {
    print("Second button tapped")
}
alertView.showSuccess("Button View", subTitle: "This alert view has buttons")
Використовуючи наш веб-сайт, ви визнаєте, що прочитали та зрозуміли наші Політику щодо файлів cookie та Політику конфіденційності.
Licensed under cc by-sa 3.0 with attribution required.