programing

OK(확인) 및 Cancel(취소)이 표시된 신속한 경고 보기: 어떤 버튼을 눌렀습니까?

subpage 2023. 5. 14. 10:41
반응형

OK(확인) 및 Cancel(취소)이 표시된 신속한 경고 보기: 어떤 버튼을 눌렀습니까?

저는 Swift로 작성된 Xcode의 경보 보기를 가지고 있으며 사용자가 아무것도 하지 않거나 무언가를 실행하기 위해 선택한 버튼(확인 대화 상자)을 확인하고 싶습니다.

현재 사용자:

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

제가 버튼을 잘못 사용하고 있는 것 같습니다, 저는 처음이라 수정 부탁드립니다.

iOS8을 사용하는 경우 UIAertController를 사용해야 합니다. UIAertView는 더 이상 사용되지 않습니다.

다음은 사용 방법의 예입니다.

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의 블록 핸들러를 볼 수 있듯이 버튼을 누릅니다.훌륭한 튜토리얼이 여기 있습니다(이 튜토리얼은 swift를 사용하여 작성되지 않았지만). 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)

신속한 5.3 업데이트:

let refreshAlert = UIAlertController(title: "Refresh", message: "All data will be lost.", preferredStyle: UIAlertController.Style.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)
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)

UIAertController를 사용하여 쉽게 이 작업을 수행할 수 있습니다.

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 경고 표시

swift 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...!")
}

Hit Up Vote :)

1단계: 새 개별 클래스 만들기

import Foundation
import UIKit

        class AppAlert: NSObject {
        
        //Singleton class
        static let shared = AppAlert()
        
        //MARK: - Delegate
        var onTapAction : ((Int)->Void)?
        
        //Simple Alert view
        public func simpleAlert(view: UIViewController, title: String?, message: String?){
            ToastManager.show(title: title ?? "", state: .error)
        }
        
        //Alert view with Single Button
        public func simpleAlert(view: UIViewController, title: String, message: String, buttonTitle: String) {
            
            let alert = UIAlertController(title: title, message: message, preferredStyle: UIAlertController.Style.alert)
            //okButton Action
            let okButton = UIAlertAction(title: buttonTitle, style: UIAlertAction.Style.default) {
                (result : UIAlertAction) -> Void in
                self.onTapAction?(0)
            }
            alert.addAction(okButton)
            view.present(alert, animated: true, completion: nil)
        }
        
        //Alert view with Two Buttons
        public func simpleAlert(view: UIViewController, title: String, message: String, buttonOneTitle: String, buttonTwoTitle: String){
            let alert = UIAlertController(title: title, message: message, preferredStyle: UIAlertController.Style.alert)
            
            //Button One Action
            let buttonOne = UIAlertAction(title: buttonOneTitle, style: UIAlertAction.Style.default) {
                (result : UIAlertAction) -> Void in
                self.onTapAction?(0)
            }
            
            //Button Two Action
            let buttonTwo = UIAlertAction(title: buttonTwoTitle, style: UIAlertAction.Style.default) {
                (result : UIAlertAction) -> Void in
                self.onTapAction?(1)
            }
            alert.addAction(buttonOne)
            alert.addAction(buttonTwo)
            view.present(alert, animated: true, completion: nil)
        }
        
    }

2단계: 다른 이름으로 통화

    AppAlert.shared.simpleAlert(view: self, title: "Register First", message: "Please Register to Proceed", buttonOneTitle: "Cancel", buttonTwoTitle: "OK")
            AppAlert.shared.onTapAction = { [weak self] tag in
                guard let self = self else {
                    return
                }
                if tag == 0 {
                  // DO YOUR WORK  
                } else if tag == 1 {
                 // DO YOUR WORK  
                }
            }

UIAertView 또는 UIAertController 대신 SCLAlertView를 사용하는 것을 고려해 볼 수 있습니다.

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")

swift 5에 대한 작은 업데이트:

let refreshAlert = UIAlertController(title: "Refresh", message: "All data will be lost.", preferredStyle: UIAlertController.Style.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")
    }))

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

언급URL : https://stackoverflow.com/questions/25511945/swift-alert-view-with-ok-and-cancel-which-button-tapped

반응형