一、异常处理简介
二、异常捕获案例
- 使用@try catch捕获异常
- 例1是最简单的一种写法:
// ----- 例1 ------
@try {
// 可能会出现崩溃的代码
}
@catch (NSException *exception) {
// 捕获到的异常exception
}
@finally {
// 结果处理
}
- 捕获异常之
嵌套
捕获
- 捕获异常之
- (void)tryTwo {
@try {
// 1
[self tryThree];
}
@catch (NSException *exception) {
// 2
NSLog(@"\n tryTwo \n %s\n%@", __FUNCTION__, exception);
// @throw exception; // 这里不能再抛异常
}
@finally {
// 3
NSLog(@"tryTwo-我一定会执行");
}
// 4
NSLog(@"不管有没有异常都会执行");
}
- (void)tryThree {
@try {
// 5
NSString *str = @"abc";
[str substringFromIndex:111]; // 程序到这里会崩
}
@catch (NSException *exception) {
// 6
@throw exception; // 抛出异常,即由上一级处理
// 7
NSLog(@"\ntryThree\n %s\n%@", __FUNCTION__, exception);
}
@finally {
// 8
NSLog(@"tryThree - 我一定会执行");
}
// 9
// 如果上一步使用的是 抛出异常@throw 那么这段代码则不会执行
NSLog(@"如果这里抛出异常,那么这段代码则不会执行");
}
为了方便大家理解,我在这里再说明一下情况:
如果6抛出异常,那么执行顺序为:1->5->6->8->3->4
如果6没抛出异常,那么执行顺序为:1->5->7->8->9->3->4
三、收集错误信息
- 部分情况的崩溃我们是无法避免的,就算是QQ也会有崩溃的时候。因此我们可以在程序崩溃之前做一些“动作”(收集错误信息),以下例子是把捕获到的异常发送至开发者的邮箱。
- (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:@"\n========异常错误报告========\n位置:%s\nname:%@\nreason:\n%@\ncallStackSymbols:\n%@\n", __FUNCTION__,name,reason,[callStack componentsJoinedByString:@"\n"]];
NSLog(@"\n%@\n",content);
/**
* 把异常崩溃信息发送至开发者邮件
*/
NSMutableString *mailUrl = [NSMutableString string];
[mailUrl appendString:@"mailto:huangwenmei@sfdai.com"];
[mailUrl appendString:@"?subject=程序异常崩溃,请配合发送异常报告,谢谢合作!"];
[mailUrl appendFormat:@"&body=%@", content];
// 打开地址
NSString *mailPath = [mailUrl stringByAddingPercentEscapesUsingEncoding:NSUTF8StringEncoding];
[[UIApplication sharedApplication] openURL:[NSURL URLWithString:mailPath]];
}
-
补充说明:
其实也不用发邮件这么繁琐的工作, 集成友盟就自带了错误信息的收集功能了. flying like feeling - 为了给客户一个友好的体验, 尽量不要使得程序崩溃才好, 尽量做好异常捕获. 为老板服务.
网友评论