UI state restoration for a scene in iOS 13 while still supporting iOS 12. No storyboards

20,731

Solution 1

To support state restoration in iOS 13 you will need to encode enough state into the NSUserActivity:

Use this method to return an NSUserActivity object with information about your scene's data. Save enough information to be able to retrieve that data again after UIKit disconnects and then reconnects the scene. User activity objects are meant for recording what the user was doing, so you don't need to save the state of your scene's UI

The advantage of this approach is that it can make it easier to support handoff, since you are creating the code necessary to persist and restore state via user activities.

Unlike the previous state restoration approach where iOS recreated the view controller hierarchy for you, you are responsible for creating the view hierarchy for your scene in the scene delegate.

If you have multiple active scenes then your delegate will be called multiple times to save the state and multiple times to restore state; Nothing special is needed.

The changes I made to your code are:

AppDelegate.swift

Disable "legacy" state restoration on iOS 13 & later:

func application(_ application: UIApplication, viewControllerWithRestorationIdentifierPath identifierComponents: [String], coder: NSCoder) -> UIViewController? {
    if #available(iOS 13, *) {

    } else {
        print("AppDelegate viewControllerWithRestorationIdentifierPath")

        // If this is for the nav controller, restore it and set it as the window's root
        if identifierComponents.first == "RootNC" {
            let nc = UINavigationController()
            nc.restorationIdentifier = "RootNC"
            self.window?.rootViewController = nc

            return nc
        }
    }
    return nil
}

func application(_ application: UIApplication, willEncodeRestorableStateWith coder: NSCoder) {
    print("AppDelegate willEncodeRestorableStateWith")
    if #available(iOS 13, *) {

    } else {
    // Trigger saving of the root view controller
        coder.encode(self.window?.rootViewController, forKey: "root")
    }
}

func application(_ application: UIApplication, didDecodeRestorableStateWith coder: NSCoder) {
    print("AppDelegate didDecodeRestorableStateWith")
}

func application(_ application: UIApplication, shouldSaveApplicationState coder: NSCoder) -> Bool {
    print("AppDelegate shouldSaveApplicationState")
    if #available(iOS 13, *) {
        return false
    } else {
        return true
    }
}

func application(_ application: UIApplication, shouldRestoreApplicationState coder: NSCoder) -> Bool {
    print("AppDelegate shouldRestoreApplicationState")
    if #available(iOS 13, *) {
        return false
    } else {
        return true
    }
}

SceneDelegate.swift

Create a user activity when required and use it to recreate the view controller. Note that you are responsible for creating the view hierarchy in both normal and restore cases.

func scene(_ scene: UIScene, willConnectTo session: UISceneSession, options connectionOptions: UIScene.ConnectionOptions) {
    print("SceneDelegate willConnectTo")

    guard let winScene = (scene as? UIWindowScene) else { return }

    // Got some of this from WWDC2109 video 258
    window = UIWindow(windowScene: winScene)

    let vc = ViewController()

    if let activity = connectionOptions.userActivities.first ?? session.stateRestorationActivity {
        vc.continueFrom(activity: activity)
    }

    let nc = UINavigationController(rootViewController: vc)
    nc.restorationIdentifier = "RootNC"

    self.window?.rootViewController = nc
    window?.makeKeyAndVisible()


}

func stateRestorationActivity(for scene: UIScene) -> NSUserActivity? {
    print("SceneDelegate stateRestorationActivity")

    if let nc = self.window?.rootViewController as? UINavigationController, let vc = nc.viewControllers.first as? ViewController {
        return vc.continuationActivity
    } else {
        return nil
    }

}

ViewController.swift

Add support for saving and loading from an NSUserActivity.

var continuationActivity: NSUserActivity {
    let activity = NSUserActivity(activityType: "restoration")
    activity.persistentIdentifier = UUID().uuidString
    activity.addUserInfoEntries(from: ["Count":self.count])
    return activity
}

func continueFrom(activity: NSUserActivity) {
    let count = activity.userInfo?["Count"] as? Int ?? 0
    self.count = count
}

Solution 2

This, it seems to me, is the major flaw in the structure of the answers presented so far:

You would also want to chain calls to updateUserActivityState

That misses the whole point of updateUserActivityState, which is that it is called for you, automatically, for all view controllers whose userActivity is the same as the NSUserActivity returned by the scene delegate's stateRestorationActivity.

Thus, we automatically have a state-saving mechanism, and it remains only to devise a state-restoration mechanism to match. I will illustrate an entire architecture I've come up with.

NOTE: This discussion ignores multiple windows and it also ignores the original requirement of the question, that we be compatible with iOS 12 view controller-based state saving and restoration. My goal here is only to show how to do state saving and restoration in iOS 13 using NSUserActivity. However, only minor modifications are needed in order to fold this into a multiple-window app, so I think it answers the original question adequately.

Saving

Let's start with state-saving. This is entirely boilerplate. The scene delegate either creates the scene userActivity or passes the received restoration activity into it, and returns that as its own user activity:

func scene(_ scene: UIScene, willConnectTo session: UISceneSession, options connectionOptions: UIScene.ConnectionOptions) {
    guard let scene = (scene as? UIWindowScene) else { return }
    scene.userActivity =
        session.stateRestorationActivity ??
        NSUserActivity(activityType: "restoration")
}
func stateRestorationActivity(for scene: UIScene) -> NSUserActivity? {
    return scene.userActivity
}

Every view controller must use its own viewDidAppear to share that user activity object. That way, its own updateUserActivityState will be called automatically when we go into the background, and it has a chance to contribute to the global pool of the user info:

override func viewDidAppear(_ animated: Bool) {
    super.viewDidAppear(animated)
    self.userActivity = self.view.window?.windowScene?.userActivity
}
// called automatically at saving time!
override func updateUserActivityState(_ activity: NSUserActivity) {
    super.updateUserActivityState(activity)
    // gather info into `info`
    activity.addUserInfoEntries(from: info)
}

That's all! If every view controller does that, then every view controller that is alive at the time we go into background gets a chance to contribute to the user info of the user activity that will arrive next time we launch.

Restoration

This part is harder. The restoration info will arrive as session.stateRestorationActivity into the scene delegate. As the original question rightly asks: now what?

There's more than one way to skin this cat, and I've tried most of them and settled on this one. My rule is this:

  • Every view controller must have a restorationInfo property which is a dictionary. When any view controller is created during restoration, its creator (parent) must set that restorationInfo to the userInfo that arrived from session.stateRestorationActivity.

  • This userInfo must be copied out right at the start, because it will be wiped out from the saved activity the first time updateUserActivityState is called (that is the part that really drove me crazy working out this architecture).

The cool part is that if we do this right, the restorationInfo is set before viewDidLoad, and so the view controller can configure itself based on the info it put into the dictionary on saving.

Each view controller must also delete its own restorationInfo when it is done with it, lest it use it again during the app's lifetime. It must be used only the once, on launch.

So we must change our boilerplate:

var restorationInfo :  [AnyHashable : Any]?
override func viewDidAppear(_ animated: Bool) {
    super.viewDidAppear(animated)
    self.userActivity = self.view.window?.windowScene?.userActivity
    self.restorationInfo = nil
}

So now the only problem is the chain of how the restorationInfo of each view controller is set. The chain starts with the scene delegate, which is responsible for setting this property in the root view controller:

func scene(_ scene: UIScene, willConnectTo session: UISceneSession, options connectionOptions: UIScene.ConnectionOptions) {
    guard let scene = (scene as? UIWindowScene) else { return }
    scene.userActivity =
        session.stateRestorationActivity ??
        NSUserActivity(activityType: "restoration")
    if let rvc = window?.rootViewController as? RootViewController {
        rvc.restorationInfo = scene.userActivity?.userInfo
    }
}

Each view controller is then responsible not only for configuring itself in its viewDidLoad based on the restorationInfo, but also for looking to see whether it was the parent / presenter of any further view controller. If so, it must create and present / push / whatever that view controller, making sure to pass on the restorationInfo before that child view controller's viewDidLoad runs.

If every view controller does this correctly, the whole interface and state will be restored!

A bit more of an example

Presume we have just two possible view controllers: RootViewController and PresentedViewController. Either RootViewController was presenting PresentedViewController at the time we were backgrounded, or it wasn't. Either way, that information has been written into the info dictionary.

So here is what RootViewController does:

var restorationInfo : [AnyHashable:Any]?
override func viewDidLoad() {
    super.viewDidLoad()
    // configure self, including any info from restoration info
}

// this is the earliest we have a window, so it's the earliest we can present
// if we are restoring the editing window
var didFirstWillLayout = false
override func viewWillLayoutSubviews() {
    if didFirstWillLayout { return }
    didFirstWillLayout = true
    let key = PresentedViewController.editingRestorationKey
    let info = self.restorationInfo
    if let editing = info?[key] as? Bool, editing {
        self.performSegue(withIdentifier: "PresentWithNoAnimation", sender: self)
    }
}

// boilerplate
override func viewDidAppear(_ animated: Bool) {
    super.viewDidAppear(animated)
    self.userActivity = self.view.window?.windowScene?.userActivity
    self.restorationInfo = nil
}

// called automatically because we share this activity with the scene
override func updateUserActivityState(_ activity: NSUserActivity) {
    super.updateUserActivityState(activity)
    // express state as info dictionary
    activity.addUserInfoEntries(from: info)
}

The cool part is that the PresentedViewController does exactly the same thing!

var restorationInfo :  [AnyHashable : Any]?
static let editingRestorationKey = "editing"

override func viewDidLoad() {
    super.viewDidLoad()
    // configure self, including info from restoration info
}

// boilerplate
override func viewDidAppear(_ animated: Bool) {
    super.viewDidAppear(animated)
    self.userActivity = self.view.window?.windowScene?.userActivity
    self.restorationInfo = nil
}

override func updateUserActivityState(_ activity: NSUserActivity) {
    super.updateUserActivityState(activity)
    let key = Self.editingRestorationKey
    activity.addUserInfoEntries(from: [key:true])
    // and add any other state info as well
}

I think you can see that at this point it's only a matter of degree. If we have more view controllers to chain during the restoration process, they all work exactly the same way.

Final notes

As I said, this is not the only way to skin the restoration cat. But there are problems of timing and of distribution of responsibilities, and I think this is the most equitable approach.

In particular, I do not hold with the idea that the scene delegate should be responsible for the whole restoration of the interface. It would need to know too much about the details of how to initialize each view controller along the line, and there are serious timing issues that are difficult to overcome in a deterministic way. My approach sort of imitates the old view controller-based restoration, making each view controller responsible for its child in the same way it would normally be.

Solution 3

Based on more research and very helpful suggestions from the answer by Paulw11 I have come up with an approach that works for iOS 13 and iOS 12 (and earlier) with no duplication of code and using the same approach for all versions of iOS.

Note that while the original question and this answer don't use storyboards, the solution would be essentially the same. The only differences is that with storyboards, the AppDelegate and SceneDelegate wouldn't need the code to create the window and root view controller. And of course the ViewController wouldn't need code to create its views.

The basic idea is to migrate the iOS 12 code to work the same as iOS 13. This means that the old state restoration is no longer used. NSUserTask is used to save and restore state. This approach has several benefits. It lets the same code work for all iOS versions, it gets you really close to supporting handoff with virtually no additional effort, and it lets you support multiple window scenes and full state restoration using the same basic code.

Here's the updated AppDelegate.swift:

@UIApplicationMain
class AppDelegate: UIResponder, UIApplicationDelegate {
    var window: UIWindow?

    func application(_ application: UIApplication, willFinishLaunchingWithOptions launchOptions: [UIApplication.LaunchOptionsKey : Any]? = nil) -> Bool {
        print("AppDelegate willFinishLaunchingWithOptions")

        if #available(iOS 13.0, *) {
            // no-op - UI created in scene delegate
        } else {
            self.window = UIWindow(frame: UIScreen.main.bounds)
            let vc = ViewController()
            let nc = UINavigationController(rootViewController: vc)

            self.window?.rootViewController = nc

            self.window?.makeKeyAndVisible()
        }

        return true
    }

    func application(_ application: UIApplication, didFinishLaunchingWithOptions launchOptions: [UIApplication.LaunchOptionsKey: Any]?) -> Bool {
        print("AppDelegate didFinishLaunchingWithOptions")

        return true
    }

    func application(_ application: UIApplication, viewControllerWithRestorationIdentifierPath identifierComponents: [String], coder: NSCoder) -> UIViewController? {
        print("AppDelegate viewControllerWithRestorationIdentifierPath")

        return nil // We don't want any UI hierarchy saved
    }

    func application(_ application: UIApplication, willEncodeRestorableStateWith coder: NSCoder) {
        print("AppDelegate willEncodeRestorableStateWith")

        if #available(iOS 13.0, *) {
            // no-op
        } else {
            // This is the important link for iOS 12 and earlier
            // If some view in your app sets a user activity on its window,
            // here we give the view hierarchy a chance to update the user
            // activity with whatever state info it needs to record so it can
            // later be restored to restore the app to its previous state.
            if let activity = window?.userActivity {
                activity.userInfo = [:]
                ((window?.rootViewController as? UINavigationController)?.viewControllers.first as? ViewController)?.updateUserActivityState(activity)

                // Now save off the updated user activity
                let wrap = NSUserActivityWrapper(activity)
                coder.encode(wrap, forKey: "userActivity")
            }
        }
    }

    func application(_ application: UIApplication, didDecodeRestorableStateWith coder: NSCoder) {
        print("AppDelegate didDecodeRestorableStateWith")

        // If we find a stored user activity, load it and give it to the view
        // hierarchy so the UI can be restored to its previous state
        if let wrap = coder.decodeObject(forKey: "userActivity") as? NSUserActivityWrapper {
            ((window?.rootViewController as? UINavigationController)?.viewControllers.first as? ViewController)?.restoreUserActivityState(wrap.userActivity)
        }
    }

    func application(_ application: UIApplication, shouldSaveApplicationState coder: NSCoder) -> Bool {
        print("AppDelegate shouldSaveApplicationState")

        if #available(iOS 13.0, *) {
            return false
        } else {
            // Enabled just so we can persist the NSUserActivity if there is one
            return true
        }
    }

    func application(_ application: UIApplication, shouldRestoreApplicationState coder: NSCoder) -> Bool {
        print("AppDelegate shouldRestoreApplicationState")

        if #available(iOS 13.0, *) {
            return false
        } else {
            return true
        }
    }

    // MARK: UISceneSession Lifecycle

    @available(iOS 13.0, *)
    func application(_ application: UIApplication, configurationForConnecting connectingSceneSession: UISceneSession, options: UIScene.ConnectionOptions) -> UISceneConfiguration {
        print("AppDelegate configurationForConnecting")

        return UISceneConfiguration(name: "Default Configuration", sessionRole: connectingSceneSession.role)
    }

    @available(iOS 13.0, *)
    func application(_ application: UIApplication, didDiscardSceneSessions sceneSessions: Set<UISceneSession>) {
        print("AppDelegate didDiscardSceneSessions")
    }
}

Under iOS 12 and earlier, the standard state restoration process is now only used to save/restore the NSUserActivity. It's not used to persist the view hierarchy any more.

Since NSUserActivity doesn't conform to NSCoding, a wrapper class is used.

NSUserActivityWrapper.swift:

import Foundation

class NSUserActivityWrapper: NSObject, NSCoding {
    private (set) var userActivity: NSUserActivity

    init(_ userActivity: NSUserActivity) {
        self.userActivity = userActivity
    }

    required init?(coder: NSCoder) {
        if let activityType = coder.decodeObject(forKey: "activityType") as? String {
            userActivity = NSUserActivity(activityType: activityType)
            userActivity.title = coder.decodeObject(forKey: "activityTitle") as? String
            userActivity.userInfo = coder.decodeObject(forKey: "activityUserInfo") as? [AnyHashable: Any]
        } else {
            return nil;
        }
    }

    func encode(with coder: NSCoder) {
        coder.encode(userActivity.activityType, forKey: "activityType")
        coder.encode(userActivity.title, forKey: "activityTitle")
        coder.encode(userActivity.userInfo, forKey: "activityUserInfo")
    }
}

Note that additional properties of NSUserActivity might be needed depending on your needs.

Here's the updated SceneDelegate.swift:

import UIKit

@available(iOS 13.0, *)
class SceneDelegate: UIResponder, UIWindowSceneDelegate {
    var window: UIWindow?

    func scene(_ scene: UIScene, willConnectTo session: UISceneSession, options connectionOptions: UIScene.ConnectionOptions) {
        print("SceneDelegate willConnectTo")

        guard let winScene = (scene as? UIWindowScene) else { return }

        window = UIWindow(windowScene: winScene)

        let vc = ViewController()
        let nc = UINavigationController(rootViewController: vc)

        if let activity = connectionOptions.userActivities.first ?? session.stateRestorationActivity {
            vc.restoreUserActivityState(activity)
        }

        self.window?.rootViewController = nc
        window?.makeKeyAndVisible()
    }

    func stateRestorationActivity(for scene: UIScene) -> NSUserActivity? {
        print("SceneDelegate stateRestorationActivity")

        if let activity = window?.userActivity {
            activity.userInfo = [:]
            ((window?.rootViewController as? UINavigationController)?.viewControllers.first as? ViewController)?.updateUserActivityState(activity)

            return activity
        }

        return nil
    }
}

And finally the updated ViewController.swift:

import UIKit

class ViewController: UIViewController {
    var label: UILabel!
    var count: Int = 0 {
        didSet {
            if let label = self.label {
                label.text = "\(count)"
            }
        }
    }
    var timer: Timer?

    override func viewDidLoad() {
        print("ViewController viewDidLoad")

        super.viewDidLoad()

        view.backgroundColor = .green

        label = UILabel(frame: .zero)
        label.translatesAutoresizingMaskIntoConstraints = false
        label.text = "\(count)"
        view.addSubview(label)
        NSLayoutConstraint.activate([
            label.centerXAnchor.constraint(equalTo: view.centerXAnchor),
            label.centerYAnchor.constraint(equalTo: view.centerYAnchor),
        ])
    }

    override func viewWillAppear(_ animated: Bool) {
        print("ViewController viewWillAppear")

        super.viewWillAppear(animated)

        timer = Timer.scheduledTimer(withTimeInterval: 1, repeats: true, block: { (timer) in
            self.count += 1
            //self.userActivity?.needsSave = true
        })
        self.label.text = "\(count)"
    }

    override func viewDidAppear(_ animated: Bool) {
        super.viewDidAppear(animated)

        let act = NSUserActivity(activityType: "com.whatever.View")
        act.title = "View"
        self.view.window?.userActivity = act
    }

    override func viewWillDisappear(_ animated: Bool) {
        super.viewWillDisappear(animated)

        self.view.window?.userActivity = nil
    }

    override func viewDidDisappear(_ animated: Bool) {
        print("ViewController viewDidDisappear")

        super.viewDidDisappear(animated)

        timer?.invalidate()
        timer = nil
    }

    override func updateUserActivityState(_ activity: NSUserActivity) {
        print("ViewController updateUserActivityState")
        super.updateUserActivityState(activity)

        activity.addUserInfoEntries(from: ["count": count])
    }

    override func restoreUserActivityState(_ activity: NSUserActivity) {
        print("ViewController restoreUserActivityState")
        super.restoreUserActivityState(activity)

        count = activity.userInfo?["count"] as? Int ?? 0
    }
}

Note that all code related to the old state restoration has been removed. It has been replaced with the use of NSUserActivity.

In a real app, you would store all kinds of other details in the user activity needed to fully restore the app state on relaunch or to support handoff. Or store minimal data needed to launch a new window scene.

You would also want to chain calls to updateUserActivityState and restoreUserActivityState to any child views as needed in a real app.

Solution 4

On 6th Sept 2019 Apple released this sample app that demonstrates iOS 13 state restoration with backwards compatibility with iOS 12.

From Readme.md

The sample supports two different state preservation approaches. In iOS 13 and later, apps save state for each window scene using NSUserActivity objects. In iOS 12 and earlier, apps preserve the state of their user interface by saving and restoring the configuration of view controllers.

The Readme convers in detail how it works - the basic trick is that on iOS 12 it encodes the Activity Object (available in iOS 12 for another purpose) in the old encodeRestorableState method.

override func encodeRestorableState(with coder: NSCoder) {
    super.encodeRestorableState(with: coder)

    let encodedActivity = NSUserActivityEncoder(detailUserActivity)
    coder.encode(encodedActivity, forKey: DetailViewController.restoreActivityKey)
}

And on iOS 13 it implements the missing automatic view controller hierarchy restoration using the configure method of the SceneDelegate.

func configure(window: UIWindow?, with activity: NSUserActivity) -> Bool {
    if let detailViewController = DetailViewController.loadFromStoryboard() {
        if let navigationController = window?.rootViewController as? UINavigationController {
            navigationController.pushViewController(detailViewController, animated: false)
            detailViewController.restoreUserActivityState(activity)
            return true
        }
    }
    return false
}

Lastly, the Readme includes testing advice but I'd like to add if you launch the Xcode 10.2 simulator first, e.g. iPhone 8 Plus and then launch Xcode 11 you will have the iPhone 8 Plus (12.4) as an option and you can experience the backwards-compatible behaviour. I also like to use these user defaults, the second allows the restoration archive to survive crashes:

[NSUserDefaults.standardUserDefaults setBool:YES forKey:@"UIStateRestorationDebugLogging"];
[NSUserDefaults.standardUserDefaults setBool:YES forKey:@"UIStateRestorationDeveloperMode"];
Share:
20,731

Related videos on Youtube

rmaddy
Author by

rmaddy

I am an independent iOS app developer producing and selling my own apps. I started with BASIC in 1979 playing with TRS Model I computers at Radio Shack stores. We sure had a lot of fun with 4k of RAM.

Updated on July 09, 2022

Comments

  • rmaddy
    rmaddy almost 2 years

    This is a little long but it's not trivial and it takes a lot to demonstrate this issue.

    I'm trying to figure out how to update a little sample app from iOS 12 to iOS 13. This sample app doesn't use any storyboards (other than the launch screen). It's a simple app that shows one view controller with a label that is updated by a timer. It uses state restoration so the counter starts from where it left off. I want to be able to support iOS 12 and iOS 13. In iOS 13 I want to update to the new scene architecture.

    Under iOS 12 the app works just fine. On a fresh install the counter starts at 0 and goes up. Put the app in the background and then restart the app and the counter continues from where it left off. The state restoration all works.

    Now I'm trying to get that working under iOS 13 using a scene. The problem I'm having is figuring out the correct way to initialize the scene's window and restore the navigation controller and the main view controller to the scene.

    I've been through as much of the Apple documentation as I can find related to state restoration and scenes. I've watched WWDC videos related to windows and scenes (212 - Introducing Multiple Windows on iPad, 258 - Architecting Your App for Multiple Windows). But I seem to be missing a piece that puts it all together.

    When I run the app under iOS 13, all of the expected delegate methods (both AppDelegate and SceneDelegate) are being called. The state restoration is restoring the nav controller and the main view controller but I can't figure out how to set the rootViewController of the scene's window since all of the UI state restoration is in the AppDelegate.

    There also seems to be something related to an NSUserTask that should be used but I can't connect the dots.

    The missing pieces seem to be in the willConnectTo method of SceneDelegate. I'm sure I also need some changes in stateRestorationActivity of SceneDelegate. There may also need to be changes in the AppDelegate. I doubt anything in ViewController needs to be changed.


    To replicate what I'm doing, create a new iOS project with Xcode 11 (beta 4 at the moment) using the Single View App template. Set the Deployment Target to iOS 11 or 12.

    Delete the main storyboard. Remove the two references in the Info.plist to Main (one at the top level and one deep inside the Application Scene Manifest. Update the 3 swift files as follows.

    AppDelegate.swift:

    import UIKit
    
    @UIApplicationMain
    class AppDelegate: UIResponder, UIApplicationDelegate {
        var window: UIWindow?
    
        func application(_ application: UIApplication, willFinishLaunchingWithOptions launchOptions: [UIApplication.LaunchOptionsKey : Any]? = nil) -> Bool {
            print("AppDelegate willFinishLaunchingWithOptions")
    
            // This probably shouldn't be run under iOS 13?
            self.window = UIWindow(frame: UIScreen.main.bounds)
    
            return true
        }
    
        func application(_ application: UIApplication, didFinishLaunchingWithOptions launchOptions: [UIApplication.LaunchOptionsKey: Any]?) -> Bool {
            print("AppDelegate didFinishLaunchingWithOptions")
    
            if #available(iOS 13.0, *) {
                // What needs to be here?
            } else {
                // If the root view controller wasn't restored, create a new one from scratch
                if (self.window?.rootViewController == nil) {
                    let vc = ViewController()
                    let nc = UINavigationController(rootViewController: vc)
                    nc.restorationIdentifier = "RootNC"
    
                    self.window?.rootViewController = nc
                }
    
                self.window?.makeKeyAndVisible()
            }
    
            return true
        }
    
        func application(_ application: UIApplication, viewControllerWithRestorationIdentifierPath identifierComponents: [String], coder: NSCoder) -> UIViewController? {
            print("AppDelegate viewControllerWithRestorationIdentifierPath")
    
            // If this is for the nav controller, restore it and set it as the window's root
            if identifierComponents.first == "RootNC" {
                let nc = UINavigationController()
                nc.restorationIdentifier = "RootNC"
                self.window?.rootViewController = nc
    
                return nc
            }
    
            return nil
        }
    
        func application(_ application: UIApplication, willEncodeRestorableStateWith coder: NSCoder) {
            print("AppDelegate willEncodeRestorableStateWith")
    
            // Trigger saving of the root view controller
            coder.encode(self.window?.rootViewController, forKey: "root")
        }
    
        func application(_ application: UIApplication, didDecodeRestorableStateWith coder: NSCoder) {
            print("AppDelegate didDecodeRestorableStateWith")
        }
    
        func application(_ application: UIApplication, shouldSaveApplicationState coder: NSCoder) -> Bool {
            print("AppDelegate shouldSaveApplicationState")
    
            return true
        }
    
        func application(_ application: UIApplication, shouldRestoreApplicationState coder: NSCoder) -> Bool {
            print("AppDelegate shouldRestoreApplicationState")
    
            return true
        }
    
        // The following four are not called in iOS 13
        func applicationWillEnterForeground(_ application: UIApplication) {
            print("AppDelegate applicationWillEnterForeground")
        }
    
        func applicationDidEnterBackground(_ application: UIApplication) {
            print("AppDelegate applicationDidEnterBackground")
        }
    
        func applicationDidBecomeActive(_ application: UIApplication) {
            print("AppDelegate applicationDidBecomeActive")
        }
    
        func applicationWillResignActive(_ application: UIApplication) {
            print("AppDelegate applicationWillResignActive")
        }
    
        // MARK: UISceneSession Lifecycle
    
        @available(iOS 13.0, *)
        func application(_ application: UIApplication, configurationForConnecting connectingSceneSession: UISceneSession, options: UIScene.ConnectionOptions) -> UISceneConfiguration {
            print("AppDelegate configurationForConnecting")
    
            return UISceneConfiguration(name: "Default Configuration", sessionRole: connectingSceneSession.role)
        }
    
        @available(iOS 13.0, *)
        func application(_ application: UIApplication, didDiscardSceneSessions sceneSessions: Set<UISceneSession>) {
            print("AppDelegate didDiscardSceneSessions")
        }
    }
    

    SceneDelegate.swift:

    import UIKit
    
    @available(iOS 13.0, *)
    class SceneDelegate: UIResponder, UIWindowSceneDelegate {
        var window: UIWindow?
    
        func scene(_ scene: UIScene, willConnectTo session: UISceneSession, options connectionOptions: UIScene.ConnectionOptions) {
            print("SceneDelegate willConnectTo")
    
            guard let winScene = (scene as? UIWindowScene) else { return }
    
            // Got some of this from WWDC2109 video 258
            window = UIWindow(windowScene: winScene)
            if let activity = connectionOptions.userActivities.first ?? session.stateRestorationActivity {
                // Now what? How to connect the UI restored in the AppDelegate to this window?
            } else {
                // Create the initial UI if there is nothing to restore
                let vc = ViewController()
                let nc = UINavigationController(rootViewController: vc)
                nc.restorationIdentifier = "RootNC"
    
                self.window?.rootViewController = nc
                window?.makeKeyAndVisible()
            }
        }
    
        func stateRestorationActivity(for scene: UIScene) -> NSUserActivity? {
            print("SceneDelegate stateRestorationActivity")
    
            // What should be done here?
            let activity = NSUserActivity(activityType: "What?")
            activity.persistentIdentifier = "huh?"
    
            return activity
        }
    
        func scene(_ scene: UIScene, didUpdate userActivity: NSUserActivity) {
            print("SceneDelegate didUpdate")
        }
    
        func sceneDidDisconnect(_ scene: UIScene) {
            print("SceneDelegate sceneDidDisconnect")
        }
    
        func sceneDidBecomeActive(_ scene: UIScene) {
            print("SceneDelegate sceneDidBecomeActive")
        }
    
        func sceneWillResignActive(_ scene: UIScene) {
            print("SceneDelegate sceneWillResignActive")
        }
    
        func sceneWillEnterForeground(_ scene: UIScene) {
            print("SceneDelegate sceneWillEnterForeground")
        }
    
        func sceneDidEnterBackground(_ scene: UIScene) {
            print("SceneDelegate sceneDidEnterBackground")
        }
    }
    

    ViewController.swift:

    import UIKit
    
    class ViewController: UIViewController, UIViewControllerRestoration {
        var label: UILabel!
        var count: Int = 0
        var timer: Timer?
    
        static func viewController(withRestorationIdentifierPath identifierComponents: [String], coder: NSCoder) -> UIViewController? {
            print("ViewController withRestorationIdentifierPath")
    
            return ViewController()
        }
    
        override init(nibName nibNameOrNil: String? = nil, bundle nibBundleOrNil: Bundle? = nil) {
            print("ViewController init")
    
            super.init(nibName: nibNameOrNil, bundle: nibBundleOrNil)
    
            restorationIdentifier = "ViewController"
            restorationClass = ViewController.self
        }
    
        required init?(coder: NSCoder) {
            print("ViewController init(coder)")
    
            super.init(coder: coder)
        }
    
        override func viewDidLoad() {
            print("ViewController viewDidLoad")
    
            super.viewDidLoad()
    
            view.backgroundColor = .green // be sure this vc is visible
    
            label = UILabel(frame: .zero)
            label.translatesAutoresizingMaskIntoConstraints = false
            label.text = "\(count)"
            view.addSubview(label)
            NSLayoutConstraint.activate([
                label.centerXAnchor.constraint(equalTo: view.centerXAnchor),
                label.centerYAnchor.constraint(equalTo: view.centerYAnchor),
            ])
        }
    
        override func viewWillAppear(_ animated: Bool) {
            print("ViewController viewWillAppear")
    
            super.viewWillAppear(animated)
    
            timer = Timer.scheduledTimer(withTimeInterval: 1, repeats: true, block: { (timer) in
                self.count += 1
                self.label.text = "\(self.count)"
            })
        }
    
        override func viewDidDisappear(_ animated: Bool) {
            print("ViewController viewDidDisappear")
    
            super.viewDidDisappear(animated)
    
            timer?.invalidate()
            timer = nil
        }
    
        override func encodeRestorableState(with coder: NSCoder) {
            print("ViewController encodeRestorableState")
    
            super.encodeRestorableState(with: coder)
    
            coder.encode(count, forKey: "count")
        }
    
        override func decodeRestorableState(with coder: NSCoder) {
            print("ViewController decodeRestorableState")
    
            super.decodeRestorableState(with: coder)
    
            count = coder.decodeInteger(forKey: "count")
            label.text = "\(count)"
        }
    }
    

    Run this under iOS 11 or 12 and it works just fine.

    You can run this under iOS 13 and on a fresh install of the app you get the UI. But any subsequent run of the app gives a black screen because the UI restored via state restoration isn't connected to the scene's window.

    What am I missing? Is this just missing a line or two of code or is my entire approach to iOS 13 scene state restoration wrong?

    Keep in mind that once I get this figured out the next step will be supporting multiple windows. So the solution should work for multiple scenes, not just one.

    • malhal
      malhal almost 5 years
      Could you please edit the question to clarify if your app is for iPhone, iPad or universal?
    • rmaddy
      rmaddy almost 5 years
      @malhal That's irrelevant to the question. Why would that matter?
    • malhal
      malhal almost 5 years
      Scenes are opt-in so if its for iPhone only then don't and continue to use state restoration as normal. Scenes shouldn't even be in iOS, only iPadOS.
    • rmaddy
      rmaddy almost 5 years
      @malhal Good point about iPhone-only apps. So assume this is about iPad or Universal apps.
  • rmaddy
    rmaddy almost 5 years
    As I researched this further after posting, I was coming to the realization that state restoration in iOS 13 is much more like handoff functionality. It's a shame we can no longer take advantage of the early state restoration mechanism for rebuilding the previous UI. This makes supporting iOS 12 and 13 a pain. Given the newness and large scope of this question's topic, I'm going to give it a few days before accepting an answer. Thanks.
  • Geoff Hackworth
    Geoff Hackworth almost 5 years
    Using viewDidAppear to set window's user activity will not work when presenting non-full-screen view controllers which set their own activity. Dismissing a non-full-screen view controller does NOT call viewDidAppear on the presenting view controller (since the presenting view controller didn't disappear). iOS 13's card-like presentations break some (always somewhat unsafe) assumptions around the view lifecycle methods on the presenting view controller.
  • rmaddy
    rmaddy almost 5 years
    @Geoff I understand those changes. They are not relevant to the code I posted. I only care when the view controller if first displayed and when it is dismissed. What other view controllers are doing is not the responsibility of this view controller. But of course each app’s needs are different. Adjust as needed.
  • rmaddy
    rmaddy almost 5 years
    I need a little more time to digest this thorough answer (thanks) but I would like to clarify one thing since you quoted it in your answer. When I said (in my answer) "You would also want to chain calls to updateUserActivityState" I was referring to each view controller needing to call it on their own child view controllers. I never meant to imply any logic would be in the scene delegate.
  • matt
    matt almost 5 years
    That is how I understood it. My point is that one is intended to take advantage of the fact that updateUserActivityState is called automatically. You should never need to call it yourself if you do this right. Nor would it make sense to do so, as it is called by the runtime in a special way, zeroing out the user info first. It's an event, not something you call.
  • matt
    matt almost 5 years
    By the way I have an example that will help you see all this in action, on which my code is based: github.com/mattneub/Programming-iOS-Book-Examples/tree/maste‌​r/…
  • matt
    matt over 4 years
    The problem with the example you cite is that it's paltry. It fails to grapple with the real-world complexities and ramifications of having to restore an entire hierarchy of view controllers and their states. The view controller based state saving and restoration mechanism is sophisticated and powerful and Apple has deprecated it without giving us anything to replace it.
  • RodrigoM
    RodrigoM over 4 years
    Totally agree w/ @matt. I could not find any single example w/ a serious hierarchy of view controllers and how the framework is supposed to be applied. I made it work w/ one single view controller but then just gave up. For now, I will stick w/ the legacy solution and hope Apple comes up w/ something more serious to support it.
  • malhal
    malhal over 4 years
    Restoring hierarchy was a failure when it came to adaptivity. E.g. with split view, if state encoded as collapsed compact width and restored when separated regular width, on launch if first would restore the traits causing collapse to fake compact width requiring restore collapsed despite the device actually being regular width. Also you must handle all the other permutations of size class encode/restore. Tipping point point was 13's panel-based split controller - order of state restoration calls vs split delegate all changed making it impossible! User activity is a fresh start give it a try.
  • malhal
    malhal over 4 years
    FYI this was because the restoration paths are different when collapsed vs separated so you would have duplicate VCs or attempt to search for them which was a log of ugly code.
  • SAHM
    SAHM over 4 years
    @matt This example, along with you book (which I purchased) has been extremely helpful. This has added extra information in that you show that the restoration "no animation" segues should be performed in viewWillLayoutSubviews, which was also very helpful. I think, though, that if the segue is performed in viewWillLayoutSubviews, we probably want to set self.userActivity in that method as well, before the segue is performed, and before/outside of the didFirstWillLayout condition; (continued below)
  • SAHM
    SAHM over 4 years
    viewDidAppear will not be called during the restoration process for that controller when the segue is performed in viewWillLayoutSubviews, so this ensures that self.userActivity is set for the controller. I found this problem/solution when I was restoring three levels of controllers. The first time the app was restored, when userActivity was set in viewDidAppear, it did seem to work; but that was because viewDidAppear had been called for each of the views prior to the restoration. (continued below)
  • SAHM
    SAHM over 4 years
    When I then closed the app without making changes and restored again, the restoration was incomplete because viewDidAppear had not been called for any controllers that performed a restoration segue; therefore self.userActivity had not been set and updateUserActivityState had not been called. This was fixed by setting self.userActivity first thing in viewWillLayoutSubviews.
  • matt
    matt over 4 years
    @SAHM Well I wish you would give this as an actual answer. That way you could provide code etc.
  • SAHM
    SAHM about 4 years
    @matt Another thing I noticed is that updateUserActivityState is called on my restored controllers when they are displayed, and not only when the scene goes into the background; I am wondering if this is really the best method to use for state restoration since this is the case. I would be curious to know your thoughts on this.
  • matt
    matt about 4 years
    @SAHM I'm sure you're right. My whole approach here is tentative. The issue is that Apple has taken away a really good well-establish tool and has not provided anything that replaces it. It's utterly unclear how to proceed. Maybe they'll announce something next week. Let's hope so.
  • SAHM
    SAHM about 4 years
    @matt I'm glad to hear you say that you feel the same way. I have spent months and countless hours trying to get this setup correctly and I still haven't been able to do it cleanly.
  • SAHM
    SAHM about 4 years
    @matt I can't see how this has changed, if at all, in iOS 14. What do you think?
  • matt
    matt about 4 years
    @SAHM To be honest, there don't seem to be any talks about the multiple window architecture at all.
  • SAHM
    SAHM about 4 years
    @matt yeah. Are you still using the updateUserActivityState method in your own apps for state restoration?
  • matt
    matt about 4 years
    @SAHM My old apps use view controller state restoration and my new apps are like, I have no idea if I want to use scenes.
  • paky
    paky over 3 years
    I really like this approach of passing the restorationInfo and made all viewController responsible for their own restoration. In my case, I initialise all viewController with a viewModel and that make things a bit complicated (might need to make my viewModel conform to NSCodable and pass them around maybe), but @matt really give me some hints on how to build the whole structure. Huge thanks for your great answer and I think this is the best answer here.
  • matt
    matt over 3 years
    “might need to make my viewModel conform to NSCodable and pass them around maybe” Absolutely! They are your state.