有没有比嵌套 if 语句更好的处理可选属性链的方法?我被建议在检查可选属性时使用if,这有意义,因为它在编译时而不是运行时处理它们,但它看起来像是疯狂!有更好的方法吗?
这是当前"厄运的金字塔"作为一个例子,我最终得到了结论:
( users: [ JSONValue ]? ) in
if let jsonValue: JSONValue = users?[ 0 ]
{
if let json: Dictionary< String, JSONValue > = jsonValue.object
{
if let userIDValue: JSONValue = json[ "id" ]
{
let userID: String = String( Int( userIDValue.double! ) )
println( userID )
}
}
}
发表脚本
Airspeed Velocity的答案是正确的答案,但是你需要使用Swift 1.2来使用逗号分隔的多个let,因为他建议,目前只在测试版的XCode 6.3中运行。
答案 0 :(得分:19)
正如评论者所说,Swift 1.2现在有多重语法:
if let jsonValue = users?.first,
json = jsonValue.object,
userIDValue = json[ "id" ],
doubleID = userIDValue.double,
userID = doubleID.map({ String(Int(doubleID))})
{
println( userID )
}
那就是说,在这种情况下,看起来你可以通过1.1中的可选链接来完成所有操作,具体取决于你的对象是什么:
if let userID = users?.first?.object?["id"]?.double.map({String(Int($0))}) {
println(userID)
}
注意,使用first
(如果这是一个数组)而不是[0]
要好得多,以便考虑数组为空的可能性。并映射到double
而不是!
(如果值不能加倍,则会爆炸)。
答案 1 :(得分:3)
Swift-3的更新:语法已更改:
if let jsonValue = users?.first,
let json = jsonValue.object,
let userIDValue = json[ "id" ],
let doubleID = userIDValue.double,
let userID = doubleID.map({ String(Int(doubleID))})
{
println( userID )
}
答案 2 :(得分:1)
在 Swift 2 中,我们有guard
声明。
而不是:
func myFunc(myOptional: Type?) {
if let object = myOptional! {
...
}
}
你可以这样做:
func myFunc(myOptional: Type?) {
guard array.first else { return }
}
从NSHipster检查http://nshipster.com/guard-and-defer/。