在 Swift 2 中设置多个 class 属性时进行保护

Guard when setting multiple class properties in Swift 2

做这样的事情很简单:

class Collection {
    init(json: [String: AnyObject]){
        guard let id = json["id"] as? Int, name = json["name"] as? String else {
            print("Oh noes, bad JSON!")
            return
        }
    }
}

在那种情况下,我们使用 let 来初始化局部变量。但是,修改它以使用 class 属性会导致它失败:

class Collection {

    let id: Int
    let name: String

    init(json: [String: AnyObject]){
        guard id = json["id"] as? Int, name = json["name"] as? String else {
            print("Oh noes, bad JSON!")
            return
        }
    }

}

它抱怨说需要使用 letvar 但显然情况并非如此。在 Swift 2 中执行此操作的正确方法是什么?

if let 中,您将可选的值解包为新的局部变量。您不能将 展开为 现有变量。相反,您必须解包,然后分配,即

class Collection {

    let id: Int
    let name: String

    init?(json: [String: AnyObject]){
        // alternate type pattern matching syntax you might like to try
        guard case let (id as Int, name as String) = (json["id"],json["name"]) 
        else {
            print("Oh noes, bad JSON!")
            self.id = 0     // must assign to all values
            self.name = ""  // before returning nil
            return nil
        }
        // now, assign those unwrapped values to self
        self.id = id
        self.name = name
    }

}

这不是特定于 class 属性 - 您不能有条件地将 绑定到 任何变量,例如这不起作用:

var i = 0
let s = "1"
if i = Int(s) {  // nope

}

相反,您需要这样做:

if let j = Int(s) {
  i = j
}

(当然,在这种情况下你最好使用 let i = Int(s) ?? 0