What is the "right" way to handle orientation changes in iOS 8? What is the "right" way to handle orientation changes in iOS 8? ios ios

What is the "right" way to handle orientation changes in iOS 8?


Apple recommends using size classes as a coarse measure of how much screen space is available, so that your UI can significantly change its layout and appearance. Consider that an iPad in portrait has the same size classes as it does in landscape (Regular width, Regular height). This means that your UI should be more or less similar between the two orientations.

However, the change from portrait to landscape in an iPad is significant enough that you may need to make some smaller adjustments to the UI, even though the size classes have not changed. Since the interface orientation related methods on UIViewController have been deprecated, Apple now recommends implementing the following new method in UIViewController as a replacement:

- (void)viewWillTransitionToSize:(CGSize)size withTransitionCoordinator:(id <UIViewControllerTransitionCoordinator>)coordinator{    [super viewWillTransitionToSize:size withTransitionCoordinator:coordinator];    // Code here will execute before the rotation begins.    // Equivalent to placing it in the deprecated method -[willRotateToInterfaceOrientation:duration:]    [coordinator animateAlongsideTransition:^(id<UIViewControllerTransitionCoordinatorContext> context) {        // Place code here to perform animations during the rotation.        // You can pass nil or leave this block empty if not necessary.    } completion:^(id<UIViewControllerTransitionCoordinatorContext> context) {        // Code here will execute after the rotation has finished.        // Equivalent to placing it in the deprecated method -[didRotateFromInterfaceOrientation:]    }];}

Great! Now you're getting callbacks right before the rotation starts, and after it finishes. But what about actually knowing whether the rotation is to portrait or to landscape?

Apple recommends thinking about rotation as simply a change in size of the parent view. In other words, during an iPad rotation from portrait to landscape, you can think of it as the root-level view simply changing its bounds.size from {768, 1024} to {1024, 768}. Knowing this then, you should use the size passed into the viewWillTransitionToSize:withTransitionCoordinator: method above to figure out whether you are rotating to portrait or landscape.

If you want an even more seamless way to migrate legacy code to the new iOS 8 way of doing things, consider using this simple category on UIView, which can be used to determine whether a view is "portrait" or "landscape" based on its size.

To recap:

  1. You should use size classes to determine when to show fundamentally different UIs (e.g. an "iPhone-like" UI vs. an "iPad-like" UI)
  2. If you need to make smaller adjustments to your UI when size classes don't change but your container (parent view) size does, such as when an iPad rotates, use the viewWillTransitionToSize:withTransitionCoordinator: callback in UIViewController.
  3. Every view in your app should only make layout decisions based on the space that it has been given to layout in. Let the natural hierarchy of views cascade this information down.
  4. Similarly, don't use the statusBarOrientation -- which is basically a device-level property -- to determine whether to layout a view for "portrait" vs "landscape". The status bar orientation should only be used by code dealing with things like UIWindow which actually live at the very root level of the app.


Based on smileyborg's very well detailed (and accepted) answer, here is an adaptation using swift 3:

override func viewWillTransition(to size: CGSize, with coordinator: UIViewControllerTransitionCoordinator) {    super.viewWillTransition(to: size, with: coordinator)    coordinator.animate(alongsideTransition: nil, completion: {        _ in        self.collectionView.collectionViewLayout.invalidateLayout()    })        }

And in the UICollectionViewDelegateFlowLayout implementation,

public func collectionView(_ collectionView: UICollectionView, layout collectionViewLayout: UICollectionViewLayout, sizeForItemAt indexPath: IndexPath) -> CGSize {    // retrieve the updated bounds    let itemWidth = collectionView.bounds.width    let itemHeight = collectionView.bounds.height    // do whatever you need to do to adapt to the new size}


I simply use notification Center:

Add an orientation variable (will explain at end)

//Above viewdidloadvar orientations:UIInterfaceOrientation = UIApplication.sharedApplication().statusBarOrientation

Add Notification when view appears

override func viewDidAppear(animated: Bool) {    NSNotificationCenter.defaultCenter().addObserver(self, selector: "orientationChanged:", name: UIDeviceOrientationDidChangeNotification, object: nil)}

Remove Notification when view goes away

override func viewWillDisappear(animated: Bool) {        NSNotificationCenter.defaultCenter().removeObserver(self, name: UIDeviceOrientationDidChangeNotification, object: nil) }

Gets current orientation when notification is triggered

func orientationChanged (notification: NSNotification) {    adjustViewsForOrientation(UIApplication.sharedApplication().statusBarOrientation)}

Checks orientation (portrait/landscape) and handles events

func adjustViewsForOrientation(orientation: UIInterfaceOrientation) {    if (orientation == UIInterfaceOrientation.Portrait || orientation == UIInterfaceOrientation.PortraitUpsideDown)    {        if(orientation != orientations) {            println("Portrait")            //Do Rotation stuff here            orientations = orientation        }    }    else if (orientation == UIInterfaceOrientation.LandscapeLeft || orientation == UIInterfaceOrientation.LandscapeRight)    {       if(orientation != orientations) {            println("Landscape")            //Do Rotation stuff here            orientations = orientation        }    }}

The reason I add an orientation variable is because when testing on a physical device the orientation notification gets called at every minor move in the device, and not just when it rotates. Adding the var and if statements only calls the code if it switched to the opposite orientation.