Visualização de alerta rápida com OK e Cancelar: qual botão tocou?


105

Tenho uma visualização de alerta no Xcode escrita em Swift e gostaria de determinar qual botão o usuário selecionou (é uma caixa de diálogo de confirmação) para não fazer nada ou executar algo.

Atualmente tenho:

@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()
}

Provavelmente estou usando os botões errados, corrija-me, pois tudo isso é novo para mim.


Respostas:


302

Se estiver usando iOS8, você deve usar UIAlertController - UIAlertView está obsoleto .

Aqui está um exemplo de como usá-lo:

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)

Como você pode ver, os manipuladores de bloco para UIAlertAction manipulam os pressionamentos de botão. Um ótimo tutorial está aqui (embora este tutorial não tenha sido escrito usando o swift): http://hayageek.com/uialertcontroller-example-ios/

Atualização do 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)

Atualização do 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
Você pode usar o em UIAlertActionStyle.Cancelvez do .Defaultseu exemplo.
Tristan Warner-Smith

Se eu não quiser fazer nada na ação Cancelar, não posso retornar nada?
Gabriel Rodrigues

É claro que, tecnicamente, não estou fazendo nada no exemplo além de registrar. Mas se eu removesse o log, não estaria fazendo nada.
Michael Wildermuth

1
é ótimo quando as respostas são atualizadas para as versões mais recentes do Swift
BlackTigerX

qualquer um sabe como adicionar o id de acessibilidade às ações "ok" e "cancelar"
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

Atualizado para swift 3:

// definição da função:

@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)
    }

// função logoutFun () ajusteiton:

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

3

Você pode fazer isso facilmente usando 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)

.

Referência: iOS Mostrar Alerta


0

Você pode querer considerar o uso de SCLAlertView , alternativa para UIAlertView ou UIAlertController .

UIAlertController só funciona no iOS 8.x ou superior, SCLAlertView é uma boa opção para suportar versões anteriores.

github para ver os detalhes

exemplo:

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")
Ao utilizar nosso site, você reconhece que leu e compreendeu nossa Política de Cookies e nossa Política de Privacidade.
Licensed under cc by-sa 3.0 with attribution required.