rockingswift.com

of Mainland

Subscriptions and Propaganda Office
Valley Fortress St, 6

Swift Optional: Custom Operators for Safe Unwrapping

In Swift, handling optionals is an essential part of ensuring your code’s safety and reliability. While the ! operator provides a quick way to force-unwrap optionals, it often leads to runtime crashes without much information on what went wrong. This lack of detail can be frustrating when debugging, especially if the crash occurs in a…

infix operator !!

func !! <T>(wrapped: T?, failureText: @autoclosure () -> String) -> T {
    if let x = wrapped { return x }
    fatalError(failureText())
}
let s = "foo"
let i = Int(s) !! "Expecting integer, got \"\(s)\""
infix operator !?

func !?<T: ExpressibleByIntegerLiteral>(wrapped: T?, failureText: @autoclosure () -> String) -> T {
    assert(wrapped != nil, failureText())
    return wrapped ?? 0
}

func !?<T: ExpressibleByArrayLiteral>(wrapped: T?, failureText: @autoclosure () -> String) -> T {
    assert(wrapped != nil, failureText())
    return wrapped ?? []
}

func !?<T: ExpressibleByStringLiteral>(wrapped: T?, failureText: @autoclosure () -> String) -> T {
    assert(wrapped != nil, failureText())
    return wrapped ?? ""
}
let s = "20"
let i = Int(s) !? "Expecting integer, got \"\(s)\""
func !?<T>(wrapped: T?, nilDefault: @autoclosure () -> (value: T, text: String)) -> T {
    assert(wrapped != nil, nilDefault().text)
    return wrapped ?? nilDefault().value
}

For example:

Int(s) !? (5, "Expected integer")
func !?(wrapped: ()?, failureText: @autoclosure () -> String) {
    assert(wrapped != nil, failureText())
}
var output: String? = nil
output?.write("something") !? "Wasn't expecting chained nil here"