Uploading Video with iPhone

Solution 1:

Edited Aug 2015

This answer is now seriously out of date. At the time of writing there weren't to many options and videos were relatively small in size. If you are looking at doing this now, I would use AFNetworking which makes this much simpler. It will stream the upload from file rather than holding it all in memory, and also supports the new Apple background upload Task.

Docs here: https://github.com/AFNetworking/AFNetworking#creating-an-upload-task

--

Yes this is possible and this is how i went about it.

Implement the following function which runs when the media picker is finished.

- (NSData *)generatePostDataForData:(NSData *)uploadData
{
    // Generate the post header:
    NSString *post = [NSString stringWithCString:"--AaB03x\r\nContent-Disposition: form-data; name=\"upload[file]\"; filename=\"somefile\"\r\nContent-Type: application/octet-stream\r\nContent-Transfer-Encoding: binary\r\n\r\n" encoding:NSASCIIStringEncoding];

    // Get the post header int ASCII format:
    NSData *postHeaderData = [post dataUsingEncoding:NSASCIIStringEncoding allowLossyConversion:YES];

    // Generate the mutable data variable:
    NSMutableData *postData = [[NSMutableData alloc] initWithLength:[postHeaderData length] ];
    [postData setData:postHeaderData];

    // Add the image:
    [postData appendData: uploadData];

    // Add the closing boundry:
    [postData appendData: [@"\r\n--AaB03x--" dataUsingEncoding:NSASCIIStringEncoding allowLossyConversion:YES]];

    // Return the post data:
    return postData;
}


- (void)imagePickerController:(UIImagePickerController *)picker didFinishPickingMediaWithInfo:(NSDictionary *)info{ 

    //assign the mediatype to a string 
    NSString *mediaType = [info objectForKey:UIImagePickerControllerMediaType];

    //check the media type string so we can determine if its a video
    if ([mediaType isEqualToString:@"public.movie"]){
        NSLog(@"got a movie");
        NSURL *videoURL = [info objectForKey:UIImagePickerControllerMediaURL];
        NSData *webData = [NSData dataWithContentsOfURL:videoURL];
        [self post:webData];
        [webData release];

    }

for the post function i had something like this which i got from somewhere else (sorry i dont know where i found it):

- (void)post:(NSData *)fileData
{

    NSLog(@"POSTING");

    // Generate the postdata:
    NSData *postData = [self generatePostDataForData: fileData];
    NSString *postLength = [NSString stringWithFormat:@"%d", [postData length]];

    // Setup the request:
    NSMutableURLRequest *uploadRequest = [[[NSMutableURLRequest alloc] initWithURL:[NSURL URLWithString:@"http://www.example.com:3000/"] cachePolicy: NSURLRequestReloadIgnoringLocalCacheData timeoutInterval: 30 ] autorelease];
    [uploadRequest setHTTPMethod:@"POST"];
    [uploadRequest setValue:postLength forHTTPHeaderField:@"Content-Length"];
    [uploadRequest setValue:@"multipart/form-data; boundary=AaB03x" forHTTPHeaderField:@"Content-Type"];
    [uploadRequest setHTTPBody:postData];

    // Execute the reqest:
    NSURLConnection *conn=[[NSURLConnection alloc] initWithRequest:uploadRequest delegate:self];
    if (conn)
    {
        // Connection succeeded (even if a 404 or other non-200 range was returned).
        NSLog(@"sucess");
        UIAlertView *alert = [[UIAlertView alloc] initWithTitle:@"Got Server Response" message:@"Success" delegate:nil cancelButtonTitle:@"OK" otherButtonTitles:nil];
        [alert show];
        [alert release];
    }
    else
    {
        // Connection failed (cannot reach server).
        NSLog(@"fail");
    }

}

The above snippet builds the http post request and submits it. You will need to modify it if you want decent error handling and consider using a library that allows async upload (theres one on github)

Also Notice the port :3000 on the server url above, I found it easy for bug testing to start a rails server on its default port 3000 in development mode so i could see the request parameters for debugging purposes

Hope this helps

Solution 2:

Since iOS8 there is no need to use 3rd party libraries and you can stream video directly from the file which solves crucial OUT OF MEMORY ERROR when you try to upload bigger videos while loading them from file:

// If video was returned by UIImagePicker ...
NSURL *videoUrl = [_videoDictionary objectForKey:UIImagePickerControllerMediaURL];

NSMutableURLRequest *request =[[NSMutableURLRequest alloc] init];
[request setURL:[NSURL URLWithString:VIDEO_UPLOAD_LINK]];
[request addValue:@"video" forHTTPHeaderField: @"Content-Type"];
[request setHTTPMethod:@"POST"];

NSInputStream *inputStream = [[NSInputStream alloc] initWithFileAtPath:[videoUrl path]];
[request setHTTPBodyStream:inputStream];

self.uploadConnection = [[NSURLConnection alloc] initWithRequest:request delegate:self startImmediately:YES];

iOS7 also offers great NSURLSeession / NSURLSessionUploadTask combo solution, which not only let's you stream directly from the file, but can also delegate task to the iOS process, which will let upload to finish even when your app is closed. It requires a bit more coding and I have no time to write it all here (you can Google it).

Here are the most crucial parts:

  1. Confugure audio session in background support:

    -(NSURLSession *)urlSession{

    if (!_urlSession) {
    
    
        NSDictionary *infoDict = [[NSBundle mainBundle] infoDictionary];
        NSString *bundleId = infoDict[@"CFBundleIdentifier"];
    
        NSString *label = [NSString stringWithFormat:@"ATLoggerUploadManager_%@", bundleId];
    
        NSURLSessionConfiguration *conf = (floor(NSFoundationVersionNumber) > NSFoundationVersionNumber_iOS_7_1) ? [NSURLSessionConfiguration backgroundSessionConfigurationWithIdentifier:label] : [NSURLSessionConfiguration backgroundSessionConfiguration:label];
        conf.allowsCellularAccess = NO;
    
        _urlSession = [NSURLSession sessionWithConfiguration:conf delegate:self delegateQueue:self.urlSessionQueue];
        _urlSession.sessionDescription = @"Upload log files";
    
    }
    
    return _urlSession;
    

    }

  2. Upload task method:

    -(NSURLSessionUploadTask *)uploadTaskForFilePath:(NSString *)filePath session:(NSURLSession *)session{

    NSFileManager *fm = [NSFileManager defaultManager];
    NSError *error = nil;
    
    // Consruct request:
    NSMutableURLRequest *request = [[NSMutableURLRequest alloc] init];
    [request setHTTPMethod:@"POST"];
    NSString *finalUrlString = [self.uploadURL absoluteString];
    
    if (self.uploadUserId) {
        [request setValue:self.uploadUserId forHTTPHeaderField:@"X-User-Id"];
        finalUrlString = [finalUrlString stringByAppendingFormat:@"?id=%@", self.uploadUserId];
    }
    
    [request setURL:[NSURL URLWithString:finalUrlString]];
    
    /*
     It looks like this (it only works if you quote the filename):
     Content-Disposition: attachment; filename="fname.ext"
     */
    
    NSString *cdh = [NSString stringWithFormat:@"attachment; filename=\"%@\"", [filePath lastPathComponent]];
    [request setValue:cdh forHTTPHeaderField:@"Content-Disposition"];
    
    error = nil;
    unsigned long fileSize = [[fm attributesOfItemAtPath:filePath error:&error] fileSize];
    
    if (!error) {
    
        NSString *sizeInBytesAsString = [NSString stringWithFormat:@"%lu", fileSize];
        [request setValue:sizeInBytesAsString forHTTPHeaderField:@"X-Content-Length"];
    
    }
    
    NSURL *fileUrl = [NSURL fileURLWithPath:filePath];
    NSURLSessionUploadTask *uploadTask = [session uploadTaskWithRequest:request fromFile:fileUrl];
    uploadTask.taskDescription = filePath;
    
    return uploadTask;
    

    }

  3. Upload function:

    [self.urlSession getTasksWithCompletionHandler:^(NSArray *dataTasks, NSArray *uploadTasks, NSArray *downloadTasks) {

        NSMutableDictionary *tasks = [NSMutableDictionary new];
    
        int resumed_running_count = 0;
        int resumed_not_running_count = 0;
        int new_count = 0;
        // 1/2. Resume scheduled tasks:
        for(NSURLSessionUploadTask *task in uploadTasks) {
    
            //MILogInfo(@"Restored upload task %zu for %@", (unsigned long)task.taskIdentifier, task.originalRequest.URL);
    
            if (task.taskDescription) {
    
                [tasks setObject:task forKey:task.taskDescription];
            }
    
            BOOL isRunning = (task.state == NSURLSessionTaskStateRunning);
            if (!isRunning) {
    
                resumed_not_running_count++;
            }else{
                resumed_running_count++;
            }
    
             [task resume];
        }
    
        // 2/2. Add tasks / files not scheduled yet:
        NSString *uploadFilePath = nil;
    
            // already uploading:
            if (![tasks valueForKey:uploadFilePath]) {
                NSURLSessionUploadTask *uploadTask = [self uploadTaskForFilePath:uploadFilePath session:_urlSession];
                new_count++;
                [uploadTask resume];
            }
    
    }];
    
  4. Background session requires UIApplecation delegate (AppDelegate callback implemented:

    • (void)application:(UIApplication *)application handleEventsForBackgroundURLSession:(NSString *)identifier completionHandler:(void (^)())completionHandler {

      NSLog(@"Background URL session needs events handled: %@", identifier);
      completionHandler();
      

      }

Solution 3:

Have a look at the UIImagePickerController. As of 3.0 you can allow the choose to shoot a video or pick an existing video. According to the docs you're limited to 10min max on the movie though:

http://developer.apple.com/IPhone/library/documentation/UIKit/Reference/UIImagePickerController_Class/UIImagePickerController/UIImagePickerController.html