iOS屏幕旋转

App旋转询问路径

iOS 8以后的方向元素包含以下三层.

1:UIScreen mainScreen 方向 (电池栏)

2:UIWindow keyWindow方向 (主页面) (一般情况只有一个)

3:UITextEffectsWindow 方向 (键盘)

App 内的方向询问路径依次为:[AppDelegate supportedInterfaceOrientationsForWindow] | info.plist -> Tabbar -> Navigation ->vc ,换句话说,如果info.plist的复选框只支持竖屏那么app内的任何方向支持将不起作用,如果TabbarVC只支持竖屏, 那么vc或Navc的设置均不会生效.

说下[AppDelegate supportedInterfaceOrientationsForWindow] 和 info.plist里的方向设置关系,app出于启动页面时,会读取info.plsit 如果支持横屏,手机方向又正好是横屏,那么app会以横向方向启动,进入app后window主页的方向也将是横向,对于大部分应用来说,主页UI都不支持横向显示,所以只能禁用info.plist设置,通过实现 [AppDelegate supportedInterfaceOrientationsForWindow] 代理,告诉app延迟到引入应用后再操作方向.

方案1:强制旋转

有种旋转方案为强制旋转,禁用info.plist设置后,使用 [[UIApplication sharedApplication] setStatusOrientation:**] 旋转电池栏,配合vc.view的transform实现旋转, 但这样会导致(3)UITextEffectsWindow方向不变,继而出现键盘方向和UI方向不一致的情况.

键盘方向依赖设备方向,如果想要键盘方向一致 ,还需要设置 [[UIDevice currentDevice] setValue:[NSNumber numberWithInteger:UIDeviceOrientationLandscapeLeft] forKey:@"orientation"];

但以上操作均是主动改变了页面方向,且放弃官方提供的解决方案等于放弃转场动画+导航栏和tabbar栏高度变化+导航栏按钮的平移变化+异形屏幕的safe area等等, 剩余工作均要手动维护,成本极高.

方案2:接管系统已有方案

所以正确方法为:把系统级的旋转功能放开,依照方向询问路径编写关键代码,用尽量少的控制来实现旋转需求.某页面需要旋转时,重写父类方法即可.

系统提供的解决方案为:当Push进入横屏页面后,整个app方向都应该和横屏页面保持一致.因此依照UI表现,将个层级方向依赖应设置为以下:

Tabbar:

//依赖当前选中的NavigationVC方向

- (UIInterfaceOrientationMask)supportedInterfaceOrientations {

    UIViewController *controller = self.selectedViewController;

    return controller.supportedInterfaceOrientations;

}

Navigation:

//依赖当前最上层视图vc的方向

-(UIInterfaceOrientationMask)supportedInterfaceOrientations

{

    return self.topViewController.supportedInterfaceOrientations;

}

-(UIInterfaceOrientation)preferredInterfaceOrientationForPresentation

{

    return self.topViewController.preferredInterfaceOrientationForPresentation;

}

BaseVC:

//一个方法控制整个app方向

- (BOOL)shouldAutorotate {

    return NO;

}

//因绝大部分页面为竖屏展示,所以基类封装了竖屏调用

- (UIInterfaceOrientationMask)supportedInterfaceOrientations {

    if ([self shouldAutorotate]) {

        return UIInterfaceOrientationMaskAllButUpsideDown;

    }

    return UIInterfaceOrientationMaskPortrait;

}

//页面刚进入时展示的方向

- (UIInterfaceOrientation)preferredInterfaceOrientationForPresentation{

    return UIInterfaceOrientationPortrait;

}

这样当某push出的页面(继承自BaseVc)需要支持旋转时,只需要重写- (BOOL)shouldAutorotate 返回YES即可

特殊场景

另外说一种特殊情况 即presentVC,因为presentVC方向会独立于上面提到的询问路径存在,所以即便Tabbar只支持竖屏,presentVC依旧会支持合个方向的旋转.

因默认情况下presentVC也是BaseVC的子类,所以presentVC只有重写shouldAutorotate方法返回YES时才可支持旋转.

至此,整个app的方向和旋转事件,都交由最上层vc的shouldAutorotate方法来接管控制.

Demo:https://github.com/xiaoxiaoyuxie/AutorotateDemo.git

你可能感兴趣的:(iOS屏幕旋转)