Question

I have an NSDate object created by

NSDate *date = [[NSDate alloc] init];

Later, I want to reset the date to the "now", so I thought that

[date init];

or

date = [date init];

might do the job, but they don't. Instead,

[date release];
date = [[NSDate alloc] init];

works. I'm a bit confused about this, since in the documentation for - (id) init, it says:

Returns an NSDate object initialized to the current date and time.

and since date is already allocated, shouldn't it just need an init message?

Was it helpful?

Solution

Think of alloc and init as logically inseparable halves of a constructor. You can only call methods beginning with "init" once on a given object — once the object has been initialized, and it's an error to initialize it again. This is true for any Objective-C object, not just NSDate. However, NSDate objects are also immutable — once created, they can't change.

The reason the latter code works is because you're creating a new instance of NSDate, which is the correct thing to do. You can also use [NSDate date] to accomplish the same thing. Be aware that it returns an object that you don't (yet) own, so you'll need to retain it if you need to keep it around, and release it later.

Be aware that if you receive an object from someone, it has already been initialized. (If not, it's a programming error in the code that provided it, or is an extremely uncommon exception to the rule.)

OTHER TIPS

If you want to get the current date you can just use:

NSDate * now = [NSDate date];

If you want to keep it then retain it.

NSDate * now = [[NSDate date] retain];

You can't reset NSDate with init, init is only for initializing the object for the first time.

You could just get another date:

NSDate * now = [[NSDate date] retain];
// use the now object
// need new date
[release now];
now = [[NSDate date] retain];
// once you don't need it release it
[now release];

The date message returns autoreleased instance of NSDate, hence the release or autorelease.

The autorelease is used for cases where you don't want to worry about where exactly you need to release the object - it is put into autorelease pool. Object in autorelease pool are released after the end of event loop iteration, or when you call release on pool ... (see more in Apple docs about memory management).

Btw. the [NSDate date] is a convenience method it's probably something like (not quaranteed to be exactly the same but functionally similar to):

- (NSDate *)date
{
    return [[[NSDate alloc] init] autorelease];
}
Licensed under: CC-BY-SA with attribution
Not affiliated with StackOverflow
scroll top