user1861763
user1861763

Reputation: 135

Issue With selecting multiple images

How to detect total available/free disk space on the iPhone/iPad device?

Upvotes: 0

Views: 163

Answers (1)

Miles Alden
Miles Alden

Reputation: 1540

I assume that clicking that "done" button would invoke cancelling the picker; in which case you can try did you try implementing the delegate method:

 - (void)imagePickerControllerDidCancel:(UIImagePickerController *)picker {
      [self dismissViewControllerAnimated:YES completion:^(void) {
           NSLog(@"Cancelled pick");
      };
 }

Also it looks like you're calling release -- any reason you're not using ARC?

If I had to guess, I'd say perhaps the alert dismiss is in fact calling something like

 [imagePicker.delegate imagePickerControllerDidCancel:imagePicker];

but it's already released so you're seeing this "lock-up" issue. Maybe step through in the debugger and make sure those objects still exist.

Edit:

While it doesn't solve your original issue, you could do a check for available space prior to launching the image picker, possibly with something like this so post suggests:

- (uint64_t)freeDiskspace
 {
     uint64_t totalSpace = 0;
     uint64_t totalFreeSpace = 0;

     __autoreleasing NSError *error = nil;  
     NSArray *paths = NSSearchPathForDirectoriesInDomains(NSDocumentDirectory, NSUserDomainMask, YES);  
     NSDictionary *dictionary = [[NSFileManager defaultManager] attributesOfFileSystemForPath:[paths lastObject] error: &error];  

     if (dictionary) {  
         NSNumber *fileSystemSizeInBytes = [dictionary objectForKey: NSFileSystemSize];  
         NSNumber *freeFileSystemSizeInBytes = [dictionary objectForKey:NSFileSystemFreeSize];
         totalSpace = [fileSystemSizeInBytes unsignedLongLongValue];
         totalFreeSpace = [freeFileSystemSizeInBytes unsignedLongLongValue];
         NSLog(@"Memory Capacity of %llu MiB with %llu MiB Free memory available.", ((totalSpace/1024ll)/1024ll), ((totalFreeSpace/1024ll)/1024ll));
     } else {  
         NSLog(@"Error Obtaining System Memory Info: Domain = %@, Code = %d", [error domain], [error code]);  
     }    

     return totalFreeSpace;
 }

Upvotes: 2

Related Questions