如何避免在 Swift2 中嵌套 do/catch 语句

How to avoid nesting do/catch statements in Swift2

我一直想这样做:

do {
    let result = try getAThing()
} catch {
   //error
}

do {
    let anotherResult = try getAnotherThing(result) //Error - result out of scope
} catch {
    //error
}

不过好像只能这样:

do {
     let result = try getAThing()
     do {
          let anotherResult = try getAnotherThing(result) 
     } catch {
          //error
     }
} catch {
     //error
}

有没有办法在不嵌套 do/catch 块的情况下在范围内保留不可变 result?有没有一种方法可以防止类似于我们使用 guard 语句作为 if/else 块的反函数的错误?

在Swift1.2中,可以把常量的声明和常量的赋值分开。 (请参阅 Swift 1.2 Blog Entry 中的 "Constants are now more powerful and consistent"。)因此,将其与 Swift 2 错误处理相结合,您可以:

let result: ThingType

do {
    result = try getAThing()
} catch {
    // error handling, e.g. return or throw
}

do {
    let anotherResult = try getAnotherThing(result)
} catch {
    // different error handling
}

或者,有时我们真的不需要两个不同的 do-catch 语句,一个 catch 将在一个块中处理两个潜在的抛出错误:

do {
    let result = try getAThing()
    let anotherResult = try getAnotherThing(result)
} catch {
    // common error handling here
}

这取决于您需要哪种处理方式。