小编典典

在Swift中向下转换可选内容:as?类型,还是一样!类型?

swift

在Swift中给出以下内容:

var optionalString: String?
let dict = NSDictionary()

以下两个语句之间的实际区别是什么:

optionalString = dict.objectForKey("SomeKey") as? String

optionalString = dict.objectForKey("SomeKey") as! String?

阅读 256

收藏
2020-07-07

共1个答案

小编典典

实际的区别是:

var optionalString = dict["SomeKey"] as? String

optionalString将是类型的变量String?。如果基础类型不是a,String则将其无害地分配nil给可选类型。

var optionalString = dict["SomeKey"] as! String?

这就是说,我 知道 这个东西是一个String?。这也将导致optionalString成为类型String?
如果基础类型为其他类型,则将崩溃。

然后使用第一种样式if let来安全地打开可选的包装:

if let string = dict["SomeKey"] as? String {
    // If I get here, I know that "SomeKey" is a valid key in the dictionary, I correctly
    // identified the type as String, and the value is now unwrapped and ready to use.  In
    // this case "string" has the type "String".
    print(string)
}
2020-07-07