From the swift docs:
The nil-coalescing operator (a ?? b) unwraps an optional a if it contains a value, or returns a default value b if a is nil. The expression a is always of an optional type. The expression b must match the type that’s stored inside a.
The nil-coalescing operator is shorthand for the code below:
- a != nil ? a! : b
The code above uses the ternary conditional operator and forced unwrapping (a!) to access the value wrapped inside a when a isn’t nil, and to return b
otherwise. The nil-coalescing operator provides a more elegant way to
encapsulate this conditional checking and unwrapping in a concise and
readable form.
Note
If the value of a is non-nil, the value of b isn’t evaluated. This is known as short-circuit evaluation.
The example below uses the nil-coalescing operator to choose between a
default color name and an optional user-defined color name:
- let defaultColorName = "red"
- var userDefinedColorName: String? // defaults to nil
- var colorNameToUse = userDefinedColorName ?? defaultColorName
- // userDefinedColorName is nil, so colorNameToUse is set to the default of "red"