1. 数组越界 访问为空是我们的app的一大元凶,当访问数组经常会访问为空,这是就会抛出异常导致app闪退,有时当我们测试时数据是好的,但是在上线以后有可能后台修改数据有问题,导致前段访问数据时造成访问数组访问为空越界,
2. 可变数组添加元素是,元素不能为空,当为空时将发出异常,导致app崩溃闪退
下面我将介绍使用runtime替换系统的方法防止数组增删改查出现问题直接崩溃
首先创建一个类目 继承自NSMutableArray
@interface NSMutableArray (categary)
导入#import <objc/runtime.h>
使用系统的类方法+load{}
这里先介绍load方法
+load方法是一个类方法,应用启动的时候加载所有的类,这时就会调用类方法
load方法被添加到runtime时开始执行 父类首先执行,之后是子类最后才到categary 又因为是直接获取函数指针来执行,不会像 objc_msgSend 一样会有方法查找的过程
+ (void)load
{
static dispatch_once_t onceToken;
dispatch_once(&onceToken, ^{
Method newMethod = class_getClassMethod([self class], @selector(cq_objectAtIndex:));
Method method = class_getClassMethod([self class], @selector(objectAtIndex:));
//交换系统的取数组元素的方法
method_exchangeImplementations(newMethod, method);
Method addNewMethod = class_getClassMethod([self class], @selector(cq_addObject:));
Method addmethod = class_getClassMethod([self class], @selector(addObject:));
//交换系统添加元素到数组的方法
method_exchangeImplementations(addNewMethod, addmethod);
Method removeNewMethod = class_getClassMethod([self class], @selector(cq_safeRemoveObject:));
Method removemethod = class_getClassMethod([self class], @selector(removeObject:));
//交换系统移除数组元素的方法
method_exchangeImplementations(removeNewMethod, removemethod);
});
}
这里使用GCD的单例表示是只创建一次,因为每次类调用的时候都会加载load类方法
//取值
- (id)cq_objectAtIndex:(NSUInteger)index
{
if (self.count == 0) {
NSLog(@"%s mutArray None Object",__func__);
return nil;
}
if (index > self.count) {
NSLog(@"%s index out of mutArrayCount",__func__);
return nil;
}
return [self cq_objectAtIndex:index];
}
//向数组添加元素
- (void)cq_addObject:(id)object
{`
if (object == nil) {
NSLog(@"%s can add nil object into NSMutableArray", __FUNCTION__);
} else {
[self cq_addObject:object];
}
}
//移除指定下标元素
- (void)cq_RemoveObjectAtIndex:(NSUInteger)index {
if (self.count <= 0) {
NSLog(@"%s can't get any object from an empty array", __FUNCTION__);
return;
}
if (index >= self.count) {
NSLog(@"%s index out of bound", __FUNCTION__);
return;
}
[self cq_RemoveObjectAtIndex:index];
}
//插入元素到指定下标位置
- (void)cq_insertObject:(id)anObject atIndex:(NSUInteger)index {
if (anObject == nil) {
NSLog(@"%s can't insert nil into NSMutableArray", __FUNCTION__);
} else if (index > self.count) {
NSLog(@"%s index is invalid", __FUNCTION__);
} else {
[self cq_insertObject:anObject atIndex:index];
}
}
//移除特定元素
- (void)cq_safeRemoveObject:(id)obj {
if (obj == nil) {
NSLog(@"%s call -removeObject:, but argument obj is nil", __FUNCTION__);
return;
}
[self cq_safeRemoveObject:obj];
}
网友评论