Well, this is a little problematic, since your code is wrong.
- You can't declare instance variables in a category; using the latest Objective-C ABI, you can declare new instance variables within a class extension (
@interface AClass () {//...
), but that is different from a category (@interface AClass (ACategory)
).
- Even if you could, the syntax for instance variable declaration is that they be enclosed in curly braces after the
@interface
line.
You can declare a property in a category, but you'll have to define its storage without using a new instance variable (hence, @dynamic
instead of @synthesize
).
As to your actual question, you can't call the original implementation of an overridden method unless you use method-swizzling (facilitated by runtime functions like method_exchangeImplementations
). I recommend against doing this anyway; it's really frightening and dangerous.
Update: Explanation of Instance Variables in Class Extensions
A class extension is like a category, but it is anonymous and must be placed within the .m
file associated with the original class. It looks like:
@interface SomeClass () {
// any extra instance variables you wish to add
}
@property (nonatomic, copy) NSString *aProperty;
@end
Its implementation must be in the main @implementation
block for your class. Thus:
@implementation SomeClass
// synthesize any properties from the original interface
@synthesize aProperty;
// this will synthesize an instance variable and accessors for aProperty,
// which was declared in the class extension.
- (void)dealloc {
[aProperty release];
// perform other memory management
[super dealloc];
}
@end
So, a class extension is useful for keeping private instance variables and methods out of the public interface, but will not help you add instance variables to a class over which you haven't control. There is no issue with overriding -dealloc
, because you just implement it like you normally would, whilst including any necessary memory management for the instance variables you introduced within the class extension.
Please note that this stuff works only with the latest 64-bit Objective-C ABI.