4

我一直想这样做:

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
}

有没有办法在范围内保持不可变result而不必嵌套 do/catch 块?有没有一种方法可以防止错误,类似于我们如何将guard语句用作 if/else 块的反转?

4

1 回答 1

7

在 Swift 1.2 中,您可以将常量的声明与常量的赋值分开。(请参阅Swift 1.2 博客条目中的“常量现在更加强大和一致” 。)因此,将其与 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
}

这仅取决于您需要哪种类型的处理。

于 2015-12-08T21:45:27.730 回答