web-dev-qa-db-ja.com

UIAlertControllerにアクションを追加し、アクションの結果を取得する方法(Swift)

UIAlertControllerに4つのアクションボタンを設定し、ボタンのタイトルを「hearts」、「spades」、「diamonds」、および「clubs」に設定します。ボタンが押されたら、そのタイトルを返したいです。

要するに、私の計画は次のとおりです。

// TODO: Create a new alert controller

for i in ["hearts", "spades", "diamonds", "clubs"] {

    // TODO: Add action button to alert controller

    // TODO: Set title of button to i

}

// TODO: return currentTitle() of action button that was clicked
17
Abhi V

これを試して:

let alert = UIAlertController(title: "Alert Title", message: "Alert Message", style = .Alert)
for i in ["hearts", "spades", "diamonds", "hearts"] {
    alert.addAction(UIAlertAction(title: i, style: .Default, handler: doSomething)
}
self.presentViewController(alert, animated: true, completion: nil)

ここでアクションを処理します。

func doSomething(action: UIAlertAction) {
    //Use action.title
}

将来の参照のために、 IAlertControllersに関するAppleのドキュメント をご覧ください。

35
Pranav Wadhwa

次に、2つのアクションに加えてok-actionを含むサンプルコードを示します。

import UIKit

// The UIAlertControllerStyle ActionSheet is used when there are more than one button.
@IBAction func moreActionsButtonPressed(sender: UIButton) {
    let otherAlert = UIAlertController(title: "Multiple Actions", message: "The alert has more than one action which means more than one button.", preferredStyle: UIAlertControllerStyle.ActionSheet)

    let printSomething = UIAlertAction(title: "Print", style: UIAlertActionStyle.Default) { _ in
        print("We can run a block of code." )
    }

    let callFunction = UIAlertAction(title: "Call Function", style: UIAlertActionStyle.Destructive, handler: myHandler)

    let dismiss = UIAlertAction(title: "OK", style: UIAlertActionStyle.Cancel, handler: nil)

    // relate actions to controllers
    otherAlert.addAction(printSomething)
    otherAlert.addAction(callFunction)
    otherAlert.addAction(dismiss)

    presentViewController(otherAlert, animated: true, completion: nil)
}

func myHandler(alert: UIAlertAction){
    print("You tapped: \(alert.title)")
}}

i.E.とhandler:myHandler関数を定義して、let printSomethingの結果を読み取ります。

これはただone way ;-)

質問は?

15
Ulli H