iOS 8.3 之后UIAlertView,跟UIActionSheet都不被推荐使用了,虽然一直知道如此,但是因为手里的老代码都是用的UIAlertView,所以从来没真正使用过这个UIAlertController。今天写一个Demo用到提示框,所以试一下。
UIAlertController
跟UIAlertView相比,UIAlertController不再需要实现代理方法,也无需指定按钮;创建方法:
//创建控制器
UIAlertController *alertVC = [UIAlertController alertControllerWithTitle:@"提示:" message:@"我是一条信息" preferredStyle:UIAlertControllerStyleActionSheet];
特别注意第三个参数,它决定了样式是对话框(alert)还是上拉菜单(actionSheet)。
创建好控制器之后,通过UIAlertAction来给控制器添加动作按钮。
//创建动作按钮:
UIAlertAction *action0 = [UIAlertAction actionWithTitle:@"OK" style:UIAlertActionStyleDefault handler:^(UIAlertAction * _Nonnull action) {
NSLog(@"OK selected");
}];
UIAlertAction *action1 = [UIAlertAction actionWithTitle:@"Cancel" style:UIAlertActionStyleCancel handler:^(UIAlertAction * _Nonnull action) {
NSLog(@"Cancel selected");
}];
//把按钮添加到控制器
[alertVC addAction:action0];
动作按钮样式共三张:default,destructive,cancel;值得注意的是如果控制器的样式选择了actionSheet,那么它的destructive按钮永远在最前面,无论添加顺序是怎样的,cancel则永远都在最后,而且只能有一个cancel类型的按钮。
如果你的程序是写在iPhone上的,那么很不幸你基本跟下面的内容失之交臂了,而下面的内容才是真正有趣的部分
由于我写demo的时候用的设备是iPad,所以当我通过上面的代码尝试actionSheet样式的时候,我遇到了这个错误:
那么这是怎么一回事呢?原来,在常规宽度的设备上,上拉菜单是以弹出视图的形式展现。弹出视图必须要有一个能够作为源视图或者栏按钮项目的描点(anchor point)。而iOS8 之后,新出了一个UIPopoverPresentationController类来替代之前的UIPopoverController。
UIPopoverPresentationController
给UIAlertController配置popoverPresentationController:
UIPopoverPresentationController *popover = alertVC.popoverPresentationController;
if (popover) {
popover.sourceView = sender;
popover.sourceRect = sender.bounds;
popover.permittedArrowDirections = UIPopoverArrowDirectionAny;
}
[self presentViewController:alertVC animated:YES completion:nil];
iOS 8之后,我们不再需要给出弹出框的大小,UIAlertController将会根据设备大小自适应弹出框的大小。并且在iPhone或者紧缩宽度的设备中它将会返回nil值。
配置好了popoverPresentationController,无论是在iPhone还iPad上,都没问题咯。
最后,UIAlertController的popoverPresentationController取消了Canle样式的action,因为用户通过点击弹出视图外的区域也可以取消弹出视图,因此不需要了。