When call a function of an object instance, the object may be not exist(optional type), it seems like you can always put an question mark behind the object name, instead of put an exclamation mark behind the object name, and not crash.
window!.rootViewController = containerViewController // forced unwrapping
// Can change to question mark and not crash.
window?.rootViewController = containerViewController // Optional chaining
Is that in the place of use forced unwrapping, you can always change to use optional chaining, and the result is same? If yes, what is the difference?
The difference is that by using
?
you're stating you expect it to sometimes execute when window is nil and sometimes when it is not. In other words, having a nilwindow
is a valid expectation.ie,
window?
says that the window may or may not be nil. This means that.rootViewController = containerViewController
may not execute because window is nil.This will execute and not crash your app if
window
isnil
.Using
!
however tells your application to always treatwindow
as if it is notnil
. Ifwindow
is notnil
, the statement will execute correctly, but if it isnil
the app will crash because you're explicitly stating that you never EXPECT it to be nil.To conclude, use:
when you always expect the window to be valid in order to set your
rootViewController
and use:
when you are concerned about the state of window and whether or not a statement should execute based on that state.