我有以下协议:
@protocol MyProtocol
@property (nonatomic, retain) NSObject *myProtocolProperty;
-(void) myProtocolMethod;
@end
我有以下课程:
@interface MyClass : NSObject {
}
@end
我声明了一个类扩展,我必须在这里重新声明我的协议属性,否则我不能用我的其余部分实现它们。
@interface()<MyProtocol>
@property (nonatomic, retain) NSObject *myExtensionProperty;
/*
* This redeclaration is required or my @synthesize myProtocolProperty fails
*/
@property (nonatomic, retain) NSObject *myProtocolProperty;
- (void) myExtensionMethod;
@end
@implementation MyClass
@synthesize myProtocolProperty = _myProtocolProperty;
@synthesize myExtensionProperty = _myExtensionProperty;
- (void) myProtocolMethod {
}
- (void) myExtensionMethod {
}
- (void) useMyConsumer {
[[[MyConsumer new] autorelease] consumeMyClassWithMyProtocol:self];
}
@end
MyConsumer只会从MyClass调用,所以我不希望任何其他类看到MyClass在MyProtocol上实现方法,因为它们不是公共API。同样,我不希望MyConsumer在MyClass中看到类扩展。
@interface MyConsumer : NSObject {
}
@end
@implementation MyConsumer
- (void) consumeMyClassWithMyProtocol: (MyClass<MyProtocol> *) myClassWithMyProtocol {
myClassWithMyProtocol.myProtocolProperty; // works, yay!
[myClassWithMyProtocol myProtocolMethod]; // works, yay!
myClassWithMyProtocol.myExtensionProperty; // compiler error, yay!
[myClassWithMyProtocol myExtensionMethod]; // compiler warning, yay!
}
@end
有什么方法可以避免在我的类扩展中重新声明MyProtocol中的属性,以便私下实现MyProtocol?
答案 0 :(得分:6)
您所称的“匿名类别”实际上称为class extension,用于在实现文件中声明私有功能。最后一部分很重要,因为这意味着其他类将无法看到您放入类扩展中的声明(并且他们将无法看到您的类实现MyProtocol
的方法) 。这也可能是@synthesize
在没有重新声明属性的情况下失败的原因。
相反,在您的类的界面中声明您对协议的一致性,并添加您想要公开的任何方法:
@interface MyClass : NSObject <MyProtocol> {
}
// public methods and properties go here
@end
如果您将协议声明添加到您的界面,那么它也消除了您的消费者明确指定它的需要。您的使用者方法可以改为使用以下签名:
- (void) consumeMyClassWithMyProtocol: (MyClass *) myClassWithMyProtocol;
编辑:听起来您正在寻找一种有选择地公开私有功能的方法。首先,我会尝试考虑一个不同的架构来实现你想要实现的目标,因为即将遵循的是一个相当不愉快的解决方案,如果一切都是公共的或私有的话,通常会有更好的OOP。
话虽如此,Apple通常通过为相关类提供单独的头文件来解决此问题,该头文件声明应该可见的方法。所以你会有你的类接口,在其中公开应该完全公开的所有内容:
// MyClass.h
@interface MyClass : NSObject {
}
@end
还有一个单独的标题,您可以在其中声明伪私有内容的类别:
// MyClass+Private.h
#import "MyClass.h"
@interface MyClass (Private) <MyProtocol>
- (void)mySortaPrivateMethod;
@end
MyClass.m
将实现这两个文件中的所有内容,并且仍然可以使用类扩展名:
// MyClass.m
#import "MyClass.h"
#import "MyClass+Private.h"
@interface MyClass ()
- (void)myClassExtensionMethod;
@end
@implementation MyClass
// everything can go here
@end
然后您的消费者会包含MyClass+Private.h
,以便它可以在那里看到声明,而其他人只会使用MyClass.h
。