序言
对异常的正确处理能够明确反映在代码执行中出现的问题,使得在接下来的debug快速定位问题所在的地方,提高debug 效率,同时也能对不同情况作出不同响应。
可以使用do-catch
和Assertions
处理异常情况,其中Assertions
主要还是用在程序发布前的debug阶段。
do-catch
在此之前要先讲讲guard
,顾名思义,就是守卫的意思,用于判断后面的条件是否成立,如果成立则往下执行,如果不成立就执行else
里面的代码,有点类似于单个的if
(guard
不能像if
一样多个if-else
连接使用),有点不同的是guard后面的条件参数是可以被外部引用的,就像这样:
func checkMessage(message:[String:String]) {
guard let name = message["name"] else{
NSLog("no name")
return
}
guard let ID = message["ID"] else{
NSLog("no ID")
return
}
NSLog("the name:\(name),the ID:\(ID)")
}
Swift在2.0中才引入了try
、catch
、do
、throw
、throws
、这五个关键字组成的异常处理机制,还有用到上面的guard
,下面用三明治的制作和品尝过程为例来看看这几个关键字的使用。
假如这个三明治要有鸡蛋,蔬菜,香肠三种材料(假定面包片已经有了,哈哈),在制作过程中有可能出现三种材料不足的情况,用三种错误表示
enum MyError:ErrorType {
case NoEgg
case NoVegetable
case NoSausage
}
制作过程中如果发现材料不足就抛出异常,
func makeASandwich(egg: Bool, vegetable: Bool, sausage: Bool) throws {
guard egg else{
throw MyError.NoEgg
}
guard vegetable else{
throw MyError.NoVegetable
}
guard sausage else{
throw MyError.NoSausage
}
}
接下来就可以真正开始制作了,在制作过程中抛出的异常要做一些特殊的处理,比如没有鸡蛋了,你就跟他说,哥们儿,你等等我这就给你买去...
func startMakingSandwich(egg: Bool, vegetable: Bool, sausage: Bool) {
do{
try makeASandwich(egg, vegetable: vegetable, sausage: sausage)
NSLog("eating sandwich")
}catch MyError.NoEgg {
NSLog("no egg")
}catch MyError.NoVegetable {
NSLog("no vegetable")
}catch MyError.NoSausage {
NSLog("no sausage")
}catch {
NSLog("ghostly presentce")
}
}
调用开始制作方法,
startMakingSandwich(true, vegetable: true, sausage: false)
打印输出信息:
2016-04-17 11:27:52.892 SwiftTest[57244:3967339] no sausage
Assertions
Assertions 用在deug阶段,在某些值出现的不符合要求的情况下强制让程序终止在这个位置。
NOTE
Assertions cause your app to terminate and are not a substitute for designing your code in such a way that invalid conditions are unlikely to arise. Nonetheless, in situations where invalid conditions are possible, an assertion is an effective way to ensure that such conditions are highlighted and noticed during development, before your app is published.
它并不能避免某些特殊情况的发生,而只是在特殊情况发生时以高亮的形式表示,以引起开发者注意。
语法为:
assert(_:_:file:line:)
用法
func assertTest(someValue:Bool){
assert(someValue, "some strange error happen")
}
当someValue
为真时会继续执行下面的代码,如果为假,则会抛出异常,会让程序终止在此处,同时打印出信息,其中文件路径和异常代码所在的行数编译器会自动打出:
assertion failed: some strange error happen: file /Users/hah/Documents/Demo/testProject/SwiftTest/SwiftTest/ViewController.swift, line 187
NSExcetption
抛出异常机制
SnapKit中对于未添加到super view上就添加约束而导致的异常处理:
NSException(name: "Cannot Install Constraint", reason: "No common superview between views (@\(self.makerFile)#\(self.makerLine))", userInfo: nil).raise()