在项目中经常会碰到一些全屏的弹窗,最简单的方法就是把这个View添加到keyWindow上面
@interface TestView : UIView
- (void)show;
@end
@implementation TestView
- (instancetype)init
{
if (self = [super init]) {
//初始化以及添加subview
}
return self;
}
- (void)show
{
[[UIApplication sharedApplication].keyWindow addSubview:self];
}
运行结果我们可以发现如下的效果,但是弹出视图位于状态栏下方,也许此时设计师就提出来说状态栏需要放到弹出视图的下方。
弹出视图位于状态栏下方是因为承载APP大多数界面的那个window的windowlevel没有状态栏的windowlevel高。
如果需要将弹出视图放到状态栏上方,可以考虑调整keywindow的windowlevel
- (void)show
{
UIWindow *window = [UIApplication sharedApplication].keyWindow;
window.windowLevel = UIWindowLevelStatusBar + 1;
[window addSubview:self];
}
运行结果发现状态栏不见了,这个keywindow来到了状态栏的上方,并且keywindow的背景是白色,所以导致状态栏不可见了,另外修改keywindow的windowlevel可能会导致其他界面出现问题。
最后想到新建一个window,该window的windowlevel比状态栏的大一点点,然后把弹出视图加到这个window上就可以了
@interface TestView()
@property (nonatomic, strong) UIWindow *window;
@end
@implementation TestView
- (instancetype)init
{
if (self = [super init]) {
//省略...
}
return self;
}
- (void)show
{
self.window = [[UIWindow alloc] initWithFrame:[UIScreen mainScreen].bounds];
self.window.rootViewController = [UIViewController new];
self.window.backgroundColor = [UIColor colorWithRed:0 green:0 blue:0 alpha:0.3];
self.window.windowLevel = UIWindowLevelStatusBar + 1;
[self.window makeKeyAndVisible];
[self.window addSubview:self];
}
- (void)hide
{
[self.window resignKeyWindow];
[self removeFromSuperview];
}
这里需要注意是window必须声明为强引用的,如果window是局部变量,那么在方法结束后window就被销毁了,从而导致弹出视图无法显示。
运行结果如下图所示
网友评论