在 swift 中比较单个 if 结构中的非可选 bool 有什么问题

What's wrong with comparing non-optional bool in a single if structure in swift

我已经用 Swift 编码了一段时间,我想我必须把 !在我所有未立即定义的 let 字段变量上。

现在我今天注意到这段代码没有编译,我真的很惊讶?这是为什么?

class MyClass : Mapper {
    var a: Bool!

    required init?(_ map: Map) {
    }

    // Mappable
    func mapping(map: Map) {
        a   <- map["a"]
    }
}

let myClass = MyClass()

if myClass.a { // Compiler not happy
    //  Optional type 'Bool!' cannot be used as a boolean; test for '!= nil' instead
}

if true && myClass.a { // Compiler happy

}

if myClass.a && myClass.a { // Compiler happy

}

Apple Swift 版本 2.2

编辑
有些人指出为什么我要使用 let 作为一个永远不会改变的变量。我提到它用于字段变量,但我缩短了示例。使用 ObjectMapper (http://github.com/Hearst-DD/ObjectMapper) 时,所有字段都不会立即在 init.c 文件中定义。这就是为什么它们都是可选的?或必需!

您可以在没有 ! 的情况下声明 let a: Bool,并且无需立即声明 true 或 false。如果编译器不能保证在您使用它之前设置该值,编译器会抱怨。

这有效。

let a: Bool

a = true

if a { // Compiler happy

}

这也有效,因为 a 一定会被设置。

let a: Bool

if thingOne < thingTwo {
    a = true
} else {
    a = false
}

if a { // Compiler happy

}

但是,这不会起作用,因为 a 不能保证在您尝试使用它之前设置。

let a: Bool

if thingOne < thingTwo {
    a = true
}

if a { // Compiler NOT happy
    // "Constant 'a' used before being initialized"
}

现在,如果您不能保证您的变量会在您进行检查时设置,那么您真的应该首先使用可选的 var

var a: Bool?

if a == true { // Compiler happy

}

有点历史...

在 Swift 1.0 中,可以通过检查来检查可选变量 optVar 是否包含一个值:

if optVar {
    println("optVar has a value")
} else {
    println("optVar is nil")
}

Swift 编程语言 中,Swift 1.1(日期为 2014-10-16)的更新声明:

Optionals no longer implicitly evaluate to true when they have a value and false when they do not, to avoid confusion when working with optional Bool values. Instead, make an explicit check against nil with the == or != operators to find out if an optional contains a value.

因此,您收到的无意义错误消息之所以放在那里是因为 Swift 编译器正在解释您的:

if a {
}

意思是:

if a != nil {
}

并且鼓励您针对 nil 进行测试以确定可选 a 是否具有值。

也许 Swift 作者将来会更改它,但现在您必须明确解包 a:

if a! {
}

或检查 true:

if a == true {
}

或(完全安全):

if a ?? false {
    print("this will not crash if a is nil")
}