我从 Appledoc 中读到了这个关于著名(或臭名昭著?)的init
方法
在某些情况下,init 方法可能会返回一个替代对象。因此,在后续代码中,您必须始终使用 init 返回的对象,而不是 alloc 或 allocWithZone: 返回的对象。
所以说我有这两个课
@interface A : NSObject
@end
@interface B : A
@property (nonatomic, strong) NSArray *usefulArray;
@end
具有以下实现
@implementation A
+(NSMutableArray *)wonderfulCache {
static NSMutableArray *array = nil;
if (!array)
array = [NSMutableArray array];
return array;
}
-(id)init {
if (self=[super init]) {
// substituting self with another object
// A has thought of an intelligent way of recycling
// its own objects
if ([self.class wonderfulCache].count) {
self = [self.class wonderfulCache].lastObject;
[[self.class wonderfulCache] removeLastObject];
} else {
// go through some initiating process
// ....
if (self.canBeReused)
[[self.class wonderfulCache] addObject:self];
}
}
return self;
}
-(BOOL) canBeReused {
// put in some condition
return YES;
}
@end
@implementation B
-(id)init {
if (self=[super init]) {
// setting the property
self.usefulArray = [NSArray array];
}
return self;
}
@end
当 B 调用init
时,[super init]
可能会返回一个替换的 A 对象,并且当 B 尝试设置属性(A 没有)时它不会导致错误吗?
如果这确实会导致错误,我们如何才能以正确的方式实现上述模式?
更新:附加一个更现实的特定问题
这是一个名为的 C++ 类C
(它的用途将在后面解释)
class C
{
/// Get the user data pointer
void* GetUserData() const;
/// Set the user data. Use this to store your application specific data.
void SetUserData(void* data);
}
说的目的A
是充当 ; 的包装器C
。A
并且C
始终保持一对一的关系至关重要。
所以我想出了以下接口和实现
@interface A : NSObject
-(id)initWithC:(C *)c;
@end
@implementation A {
C *_c;
}
-(id)initWithC:(C *)c {
id cu = (__bridge id) c->GetUserData();
if (cu) {
// Bingo, we've got the object already!
if ([cu isKindOfClass:self.class]) {
return (self = cu);
} else {
// expensive operation to unbind cu from c
// but how...?
}
}
if (self=[super init]) {
_c = c;
c->SetUserData((__bridge void *)self);
// expensive operation to bind c to self
// ...
}
return self;
}
@end
这暂时有效。现在我想子类A
所以我想出了B
@interface B : A
@property (nonatomic, strong) NSArray *usefulArray;
@end
现在出现了一个问题,因为A
不知道如何正确取消绑定实例。所以我必须将上面的代码修改为
@interface A : NSObject {
C *_c;
}
-(id)initWithC:(C *)c;
-(void) bind;
-(void) unbind;
@end
@implementation A
-(id)initWithC:(C *)c {
id cu = (__bridge id) c->GetUserData();
if (cu) {
// Bingo, we've got the object already!
if ([cu isKindOfClass:self.class]) {
return (self = cu);
} else {
NSAssert([cu isKindOfClass:[A class]], @"inconsistent wrapper relationship");
[(A *)cu unbind];
}
}
if (self=[super init]) {
_c = c;
c->SetUserData((__bridge void *)self);
[self bind];
}
return self;
}
-(void) bind {
//.. do something about _c
}
-(void) unbind {
// .. do something about _c
_c = nil;
}
@end
现在B
只需要覆盖bind
并unbind
使其工作。
但是当我想到它时,所有B
想做的就是拥有一个额外的数组usefulArray
,它真的需要这么多的工作......?unbind
写作只是为了让您的子类在与 C++ 对象的一对一关系中替换您的想法似乎很奇怪(而且效率也很低)。