异常处理
- 在日常开发中,我们经常会自定义很多东西,这些代码调用过程中需要传递必要的参数
- 如果参数传递不正常,那么会引起程序崩溃等后果
如果这个参数必须传递正确,那么我们可以对传递不正确的参数进行异常的抛出
- 前提条件是:必须传递正确
// 第一种方式:
@throw [NSException exceptionWithName:@"代码出错" reason:@"出错原因" userInfo:nil];
// 第二种方式:
[NSException raise:@"代码出错" format:@"出错原因"];
- 上面这两种方式效果一样,都会引起程序闪退
- 如果不是必须这样,那么可以直接返回nil,或者使用try-catch-finally语句
@try {
// 容易出错的代码
// 这一部分代码,一旦哪一行出错,立即停止执行,跳转到catch中执行代码
} @catch (NSException *exception) {
// 出错之后执行的代码
} @finally {
// 最后执行的代码
// 正确也会执行,出错也会执行
}
捕获异常
- 开发中我们经常需要捕获异常,需要查看异常发生时的调用栈信息
- 在OC中,获取异常信息有一个方法:
在程序刚启动的时候设置捕捉异常的回调
- NSSetUncaughtExceptionHandler
- (BOOL)application:(UIApplication *)application didFinishLaunchingWithOptions:(NSDictionary *)launchOptions {
// 设置捕捉异常的回调
NSSetUncaughtExceptionHandler(handleException);
return YES;
}
/**
* 拦截异常
*/
void handleException2(NSException *exception)
{
NSMutableDictionary *info = [NSMutableDictionary dictionary];
info[@"callStack"] = [exception callStackSymbols]; // 调用栈信息(错误来源于哪个方法)
info[@"name"] = [exception name]; // 异常名字
info[@"reason"] = [exception reason]; // 异常描述(报错理由)
//[info writeToFile: atomically:];// 写入沙盒
}
// 如果想有异常的时候程序不闪退
void handleException(NSException *exception)
{
[[UIApplication sharedApplication].delegate performSelector:@selector(handle)];
}
- (void)handle
{
UIAlertView *alertView = [[UIAlertView alloc] initWithTitle:nil message:@"程序出错了" delegate:self cancelButtonTitle:@"OK" otherButtonTitles:nil, nil];
[alertView show];
// 重新启动RunLoop
[[NSRunLoop currentRunLoop] addPort:[NSPort port] forMode:NSDefaultRunLoopMode];
[[NSRunLoop currentRunLoop] run];
}
- (void)alertView:(UIAlertView *)alertView clickedButtonAtIndex:(NSInteger)buttonIndex
{
exit(0);
}