iOS 13 Xcode 11+ Swift 5。X
UIAlertController现在可以提供警报以及动作表
警报
// First instantiate the UIAlertController
let alert = UIAlertController(title: "Title",
message: "Message ?",
preferredStyle: .alert)
// Add action buttons to it and attach handler functions if you want to
alert.addAction(UIAlertAction(title: "Cancel", style: .cancel, handler: nil))
alert.addAction(UIAlertAction(title: "Just Do It!", style: .destructive, handler: nil))
alert.addAction(UIAlertAction(title: "Maybe", style: .default, handler: nil))
// Show the alert by presenting it
self.present(alert, animated: true)
请注意,当点击警报视图时,所有操作按钮的基本属性都是关闭警报视图。style参数只是用来决定文本的颜色(以及按钮应该出现的默认顺序,这些ofc可以改变)
示例处理程序函数可以是
func handler(_ action: UIAlertAction) {
if action.title == 'Title' {
// do stuff
}
}
作为旁注,我想说的是,与其创建3个不同的处理程序,你可以只创建1个处理程序,并以上面所示的方式跟踪到引发它的元素
我们也可以检查警报。我们可以有多个。default样式的动作,我不建议这样做
动作表
解释是类似的,因为这里的主要区别是提醒会打断用户,而在iPhone中,操作表从底部滑动,在iPad中以弹出窗口的形式出现
操作表的目的是指导用户根据当前状态决定操作。所以你必须像对待十字路口一样对待动作表单!通常没有消息,标题呈现为标题大小的文本
let action = UIAlertController(title: "What do you want to do with the message",
message: nil,
preferredStyle: .actionSheet)
action.addAction(UIAlertAction(title: "Cancel", style: .cancel))
for act in ["Save", "Post", "Discard"] {
action.addAction(UIAlertAction(title: act, style: .default, handler: nil))
}
self.present(action, animated: true)
上面的代码将在iPhone上工作,但在iPad上运行时会崩溃,因为UIPopoverPresentationController将负责警报,它不会在那个时候引用任何东西。因此,为了避免这种情况,您必须提供以下代码块,这是强制性的
if let pop = action.popoverPresentationController {
let v = sender as! UIView
pop.sourceView = v
pop.sourceRect = v.bounds
}
同样,如果iPad点击弹窗之外的任何地方,它将被解散,.cancel操作按钮的完成处理程序将被调用。
也就是说,如果你有任何疑问,请在下方评论