根据文档,Objective-C中的类的指定的初始化程序必须调用其基类的指定的初始化程序.
另一个规则是二次初始化器必须调用自己的类的指定的初始化器.
但是如果遵循第二条规则,为什么指定的初始化程序不能在其基类中调用二次初始化程序?这个基本的二次初始化器最终将调用自己的级别的D.I.所以对象仍然会被正确的初始化,对吗?
差异似乎是谁选择缺省变量的默认值 – 你或你的基类.
解决方法
我们来考虑NSSet.它有一个指定的初始化程序:
- (id)initWithObjects:(const id *)objects count:(NSUInteger)cnt { // initialization code here return self; }
它也有一些二次初始化器,像这样:
- (id)initWithArray:(NSArray *)array { NSUInteger count = array.count; id objects[count]; [array getObjects:objects range:NSMakeRange(0,count)]; return [self initWithObjects:objects count:count]; }
现在你想要一个NSSet的子类自动拒绝字符串“Bob”.所以你尽可能地覆盖你的子类中的指定的初始化器,但是你调用super的辅助初始化器之一:
@implementation BobRejectingSet - (id)initWithObjects:(const id *)objects count:(NSUInteger)count { NSMutableArray *array = [[NSMutableArray alloc] initWithCount:count]; for (NSUInteger i = 0; i < count; ++i) { if (![objects[i] isEqual:@"Bob"]) { [array addObject:objects[i]]; } } return [super initWithArray:array]; }
当您这样做时会发生什么:
BobRejectingSet *noBobs = [[BobRejectingSet alloc] initWithArray:someObjects];
由于您没有覆盖initWithArray:,程序调用 – [NSSet initWithArray:],它调用指定的初始化程序initWithObjects:count:.你覆盖指定的初始化程序,所以它调用你的方法.您的方法过滤出Bobs,然后调用super的辅助初始化程序initWithArray:…,它会转过来,并再次调用指定的初始化程序.无限递归.堆栈溢出.你得到了分段违规 – 核心转储的蓝调.
这就是为什么你总是使用super的指定的初始化程序.