我在KeyWindow上显示一个Xib作为我的自定义警报视图。

我遇到的问题是,当我再次显示视图(将其从超级视图中删除后)时,具有目标的按钮仍将旧的操作分配给它们。因此,当点击一个按钮时,它将执行它的新动作和旧动作。

除了将代码从按钮设置为.removeTarget(nil,action:nil,for:.allEvents)。为什么将视图添加到新的子视图中时,按钮没有显示出来?

应用程序委托中的代码:

let AlertScreen = Bundle.main.loadNibNamed("Alert", owner: nil, options: nil)?.last as! Alert

    func ShowAlert (LeftButton: String, RightButton: String) {

        AlertScreen.frame = UIScreen.main.bounds
        AlertScreen.LeftButton.setTitle(LeftButton, for: .normal)
        AlertScreen.RightButton.setTitle(RightButton, for: .normal)
        UIApplication.shared.keyWindow?.addSubview(AlertScreen)

    }


然后在任何需要显示警报视图的视图控制器中,我只显示警报,然后分配一个操作,例如:

AlertScreen.RightButton.addTarget(self, action: #selector(LoadItems), for: .touchUpInside)

最佳答案

您只需使用以下方法创建一次视图:

let AlertScreen = Bundle.main.loadNibNamed("Alert", owner: nil, options: nil)?.last as! Alert


您将一遍又一遍地显示保存视图。如果要刷新视图,则每次显示时都需要创建一个新视图。

var currentAlert: Alert?

func showAlert (LeftButton: String, RightButton: String) {

    removeAlert()
    currentAlert = Bundle.main.loadNibNamed("Alert", owner: nil, options: nil)?.last as! Alert
    currentAlert.frame = UIScreen.main.bounds
    currentAlert.LeftButton.setTitle(LeftButton, for: .normal)
    currentAlert.RightButton.setTitle(RightButton, for: .normal)
    UIApplication.shared.keyWindow?.addSubview(currentAlert)

}

func removeAlert() {
    currentAlert?.removeFromSuperView()
    currentAlert = nil
}

09-15 23:20