我编写了一个函数,该函数会弹出一个警报,要求用户选择菜单。该选择将用于更改按钮名称。问题是在做出用户选择之前更改了按钮名称。更改为上一个功能结果。
我已经阅读到可以使用处理程序来延迟结果的执行,但是我不知道该如何使用它。
@IBAction func selectProp(_ sender: Any) {
propName.setTitle(menulist(title:"propName", message:""), for: .normal)
print("selected property = ", choice) // }
}
func menulist (title: String, message: String) -> String {
let title1 = "Select Property"
let alert = UIAlertController(title: title1, message: message, preferredStyle:UIAlertControllerStyle.alert)
let k = rentals.count
if k > 0 {
for i in 0 ... k-1 {
alert.addAction(UIAlertAction(title:rentals[i], style: .default, handler: {action in
choice = rentals[i]
print("choice=",choice)
}))
}
alert.addAction(UIAlertAction(title: "Cancel", style: .destructive, handler: {action in
choice = "Select"
print("choice=",choice)
}))
self.present(alert, animated: true, completion: nil)
}
return choice
}
问题是在做出用户选择之前更改了按钮名称,并在用户做出选择之前执行了打印语句。结果(按钮更改和打印)基于先前的用户输入选择。
答案 0 :(得分:1)
我已阅读到可以使用处理程序来延迟结果的执行,但无法弄清楚如何使用它。
的确,这样的处理程序称为闭包。由于UIAlertAction使用闭包传递结果,因此您需要在函数中使用闭包而不是返回值。
func showMenuList(title: String, message: String, completion: @escaping (_ rental: String?) -> ()) {
let title = "Select Property"
let alert = UIAlertController(title: title, message: message, preferredStyle: .alert)
// loop through all rentals and add action to alert for each of them
rentals.forEach { (rental) in
let rentalAction = UIAlertAction(title: rental, style: .default, handler: { _ in
completion(rental)
})
alert.addAction(rentalAction)
}
// add cancel action
let cancelAction = UIAlertAction(title: "Cancel", style: .cancel, handler: { _ in
completion(nil)
})
alert.addAction(cancelAction)
present(alert, animated: true, completion: nil)
}
然后您可以像这样使用此功能:
showMenuList(title: "propName", message: "") { result in
guard let result = result else {
// handle Cancel action
return
}
// handle property selected
print(result)
}
答案 1 :(得分:0)
我想我知道这里发生了什么。由于有动作(可能是.touchUpInside?),因此会调用@IBAction函数func selectProp(),并且它将在用户使用警报选择其选择之前设置propName。
这里您需要做的是将propName.setTitle(...)移到处理程序本身,以便在用户通过警报选择选项的时间点调用它:
alert.addAction(UIAlertAction(title:rentals[i], style: .default, handler: {action in
propName.setTitle(rentals[i], for: .normal)
....
目前,propName标题是在用户触发selectProp时设置的,而不是在用户通过警报选择其选择时设置的。
希望有帮助!
让我知道您是否还有其他问题。