首页 > 代码库 > nil coalescing operator

nil coalescing operator

nil coalescing operator ?? 就是 optional和 三元运算符?:的简写形式。


例如一个optional String类型的变量


var a:String?
// println(a != nil ? a! : "shabi")
println(a ?? "shabi")    // shabi
// a ?? "shabi" equals a != nil ? a! : "shabi"
a = "hecheng"
println(a ?? "shabi")  // hecheng


// 这个运算符添加于2014-08-04 (The Swift Programming Language Revision History)


AFNetWorking的创始人 Mattt Thompson在他的个人博客里就曾用过这个运算符:

http://nshipster.com/swift-literal-convertible/

struct Set<T: Hashable> {
    typealias Index = T
    private var dictionary: [T: Bool]

    init() {
        self.dictionary = [T: Bool]()
    }

    var count: Int {
        return self.dictionary.count
    }

    var isEmpty: Bool {
        return self.dictionary.isEmpty
    }

    func contains(element: T) -> Bool {
        return self.dictionary[element] ?? false // 这里
    }

    mutating func put(element: T) {
        self.dictionary[element] = true
    }

    mutating func remove(element: T) -> Bool {
        if self.contains(element) {
            self.dictionary.removeValueForKey(element)
            return true
        } else {
            return false
        }
    }
}

因为字典通过[‘key‘]获取后是一个Optional类型,如果这个key对应的value不存在的话,可以通过??运算符设置一个不存在时的默认值(false)。

nil coalescing operator