I have an app that gets a memory warning when using the camera on an iPhone 4s. I scale the image before I use it.
+ (UIImage*)simpleImageWithImage:(UIImage*)image scaledToSize:(CGSize)newSize
{
// Create a graphics image context
UIGraphicsBeginImageContext(newSize);
// Tell the old image to draw in this new context, with the desired
// new size
[image drawInRect:CGRectMake(0,0,newSize.width,newSize.height)];
// Get the new image from the context
UIImage* newImage = UIGraphicsGetImageFromCurrentImageContext();
// End the context
UIGraphicsEndImageContext();
// Return the new image.
return newImage;
}
I read that you should use an NSAutoreleasePool from here http://wiresareobsolete.com/2010/08/uiimagepickercontroller/
So I modified the code like this:
+ (UIImage*)simpleImageWithImage:(UIImage*)image scaledToSize:(CGSize)newSize
{
//http://wiresareobsolete.com/2010/08/uiimagepickercontroller/
NSAutoreleasePool *pool = [[NSAutoreleasePool alloc] init];
// Create a graphics image context
UIGraphicsBeginImageContext(newSize);
// Tell the old image to draw in this new context, with the desired
// new size
[image drawInRect:CGRectMake(0,0,newSize.width,newSize.height)];
// Get the new image from the context
UIImage* newImage = UIGraphicsGetImageFromCurrentImageContext();
// End the context
UIGraphicsEndImageContext();
[newImage retain];
[pool release];
// Return the new image.
return newImage;
}
The memory warning went away. I did not call this on a separate thread. What is this NSAutoreleasePool doing? I just don't understand it.
Can I retain an object in a local NSAutoreleasePool?
Can I use the retained object after the NSAutoreleasePool has been released?
The important question: How does this specific usage of an NSAutoreleasePool help the memory footprint of my app so that it doesn't get memory warnings?
NSAutoreleasePool that created by yourself just invokes release method for the autorelease objects in its area where from
NSAutoreleasePool *pool = [[NSAutoreleasePool alloc] init];
to[pool release];
,Here
newImage
is an autorelease object,[newImage release]
will be called after[pool release];
If not
[newImage retain];
newImage
will dealloc after[pool release];
NSAutoreleasePool
to release temporary memory.