本文转载至 http://www.cocoachina.com/ios/20141229/10787.html
前言:在开发APP时,我们通常都会需要捕获异常,防止应用程序突然的崩溃,防止给予用户不友好的体验。其实Objective-C的异常处理方法和JAVA的雷同,懂JAVA的朋友一看就懂。我为什么要写这篇博文呢?因为我发现百度上的介绍方法,很多都不是我想要的,而我想要的又说得不清楚,重点是大家都是直接复制别人的代码。。。于是不多说,大家往下看~~~
以下程序已测试并通过:
设备:iOS 8模拟器中
开发工具:XCode6.1
使用@try、catch捕获异常:
以下是最简单的代码写法,其中@finally可以去掉:
1
2
3
4
5
6
7
8
9
|
@ try { // 可能会出现崩溃的代码 } @ catch (NSException *exception) { // 捕获到的异常exception } @finally { // 结果处理 } |
在这里举多一具比较详细的方法,抛出异常:
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
|
@ try { // 1 [self tryTwo]; } @ catch (NSException *exception) { // 2 NSLog(@ "%s
%@" , __FUNCTION__, exception); // @throw exception; // 这里不能再抛异常 } @finally { // 3 NSLog(@ "我一定会执行" ); } // 4 // 这里一定会执行 NSLog(@ "try" ); |
tryTwo方法代码:
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
|
- (void)tryTwo { @ try { // 5 NSString *str = @ "abc" ; [str substringFromIndex:111]; // 程序到这里会崩 } @ catch (NSException *exception) { // 6 // @throw exception; // 抛出异常,即由上一级处理 // 7 NSLog(@ "%s
%@" , __FUNCTION__, exception); } @finally { // 8 NSLog(@ "tryTwo - 我一定会执行" ); } // 9 // 如果抛出异常,那么这段代码则不会执行 NSLog(@ "如果这里抛出异常,那么这段代码则不会执行" ); } |
为了方便大家理解,我在这里再说明一下情况:
如果6抛出异常,那么执行顺序为:1->5->6->8->3->4
如果6没抛出异常,那么执行顺序为:1->5->7->8->9->3->4
2)部分情况的崩溃我们是无法避免的,就算是QQ也会有崩溃的时候。因此我们可以在程序崩溃之前做一些“动作”(收集错误信息),以下例子是把捕获到的异常发送至开发者的邮箱。
AppDelegate.m
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
|
- (BOOL)application:(UIApplication *)application didFinishLaunchingWithOptions:(NSDictionary *)launchOptions { // Override point for customization after application launch. NSSetUncaughtExceptionHandler(&UncaughtExceptionHandler); return YES; } void UncaughtExceptionHandler(NSException *exception) { /** * 获取异常崩溃信息 */ NSArray *callStack = [exception callStackSymbols]; NSString *reason = [exception reason]; NSString *name = [exception name]; NSString *content = [NSString stringWithFormat:@ "========异常错误报告========
name:%@
reason:
%@
callStackSymbols:
%@" ,name,reason,[callStack componentsJoinedByString:@ "
" ]]; /** * 把异常崩溃信息发送至开发者邮件 */ NSMutableString *mailUrl = [NSMutableString string]; [mailUrl appendString:@ "mailto:test@qq.com" ]; [mailUrl appendString:@ "?subject=程序异常崩溃,请配合发送异常报告,谢谢合作!" ]; [mailUrl appendFormat:@ "&body=%@" , content]; // 打开地址 NSString *mailPath = [mailUrl stringByAddingPercentEscapesUsingEncoding:NSUTF8StringEncoding]; [[UIApplication sharedApplication] openURL:[NSURL URLWithString:mailPath]]; |