1.容易造成崩溃的地方
-
unrecognized selector crash (找不到方法)
-
NSTimer crash (定时器)
-
Container crash(数组越界,插nil等)
-
NSString crash (字符串操作的crash)
-
NSNotification crash (通知未移除)
-
KVO crash(譬如某一属性的多次侦听,或是忘记removeObserver 或是多次removeObserver导致的crash)
-
KVC crash
2.不容易捕获的异常
- 野指针。
- 内存过度释放。
- webView的使用不当。
3.解决方法
一般崩溃都可以通过自己规范代码比如做判断、用断言、捕获异常来处理,但是这样做的话代码量会增大很多,尤其是服务器端返回的数据,有很大的不可控性,先判断结构是否正确,然后再判断数据是否正确,成本非常大。
对于野指针、内存、webView使用、NSTimer、NSNotification、KVO、KVO这些我们完全可以通过规范代码来防止它出现,而且这些崩溃比较容易从测试中测出来。
而服务器返回的数据,变动性大,大多数崩溃基本都是数据造成的,所以对数据处理这些要进行异常捕获的必要性很大。
实现拦截的方法
//实现拦截主要是下面的方法 通过交换IMP指针 实现方法的交换
/**
* 对象方法的交换
*
* @param anClass 哪个类
* @param method1Sel 方法1(原本的方法)
* @param method2Sel 方法2(要替换成的方法)
*/
+ (void)exchangeInstanceMethod:(Class)anClass method1Sel:(SEL)method1Sel method2Sel:(SEL)method2Sel {
Method originalMethod = class_getInstanceMethod(anClass, method1Sel);
Method swizzledMethod = class_getInstanceMethod(anClass, method2Sel);
BOOL didAddMethod = class_addMethod(anClass,
method1Sel,
method_getImplementation(swizzledMethod),
method_getTypeEncoding(swizzledMethod));
if (didAddMethod) {
class_replaceMethod(anClass,
method2Sel,
method_getImplementation(originalMethod),
method_getTypeEncoding(originalMethod));
}
else {
method_exchangeImplementations(originalMethod, swizzledMethod);
}
}
4.git中比较好的开源框架
4.1. AvoidCrash 大小60k 实现思想如下:
// 1替换方法
[AvoidCrash exchangeClassMethod:[self class] method1Sel:@selector(arrayWithObjects:count:) method2Sel:@selector(AvoidCrashArrayWithObjects:count:)];
// 2 实现替换方法
+ (instancetype)AvoidCrashArrayWithObjects:(const id _Nonnull __unsafe_unretained *)objects count:(NSUInteger)cnt {
id instance = nil;
@try {
instance = [self AvoidCrashArrayWithObjects:objects count:cnt];
}
@catch (NSException *exception) {
//3 捕获异常
NSString *defaultToDo = @"AvoidCrash default is to remove nil object and instance a array.";
// 4 异常收集(堆栈信息)
[AvoidCrash noteErrorWithException:exception defaultToDo:defaultToDo];
//5错误数据的处理。
NSInteger newObjsIndex = 0;
id _Nonnull __unsafe_unretained newObjects[cnt];
for (int i = 0; i < cnt; i++) {
if (objects[i] != nil) {
newObjects[newObjsIndex] = objects[i];
newObjsIndex++;
}
}
instance = [self AvoidCrashArrayWithObjects:newObjects count:newObjsIndex];
}
@finally {
//6处理完成
return instance;
}
}
4.2 XXShield 大小87k 实现方法与上个大同小异 就不在讲述
使用详解
对比(个人意见)
AvoidCrash 功能比较简洁 主要是一些常用容器类和字符串的崩溃处理,对项目侵入性小,调用时机准确为程序抛出异常的时候,崩溃堆栈信息有收集(建议引用)。
XXShield 对崩溃处理较多,调用时机并未添加@try {}
这类字段,为if判断,数据崩溃日志也有收集,但是针对KVO、NSNotificationCenter可能会与其他三方冲突。所以不建议引用。
网友评论