Reputation: 23268
In the case, if we return nil in the init method, what's happening with retain count and who is going to release this object?
As I undertand as soon as we called alloc (which will happen before init), the retain count will become 1. Now, init is called and let say for some reason it can't initialize the object, so it returns nil.
And it looks like now we have the object with retain count equal 1 and nobody has reference to it to call release.
Should we call [self autorelease] in init for such case or do something else?
Upvotes: 33
Views: 11485
Reputation: 162712
See Allocating and Initializing Objects in the documentation.
Specifically, if you have an error in your initializer, then you release
self
and return nil
:
- init
{
self = [super init];
if (self) {
if (... failed to initialize something in self ...) {
[self release];
return nil;
}
}
return self;
}
Now, consider what happens when you call [super init]
and it returns nil
. The above pattern has already been employed, what was self
has been released, and the nil
return indicates that the instance is gone. There is no leak and everyone is happy.
This is also a valid pattern (assume that self
is an instance of MyClass
):
- init
{
self = [super init];
if (self) {
... normal initialization here ...
} else {
self = [MyClass genericInstanceWhenInitializationGoesBad];
self = [self retain];
}
return self;
}
Since init
is expected to return something that is retained
(by implication of being chained from +alloc
), then that [self retain]
, though it looks goofy, is actually correct. The self = [self retain]
is just being extra defensive in case MyClass
overrides retain
to do something weird.
Upvotes: 47
Reputation: 18741
Usually, you will call
self = [super init];
if (self == nil) {
return nil;
}
// do some init job here
return self;
It is not your job to autorelease the self, because when you have it, it is already nil,so even if you call [self autorelease];
, it does nothing.
I think the NSObject init method has to deal with the object already
Upvotes: -5