如何在iOS中随着进度在后台下载多个mp4文件? [英] How to download multiple mp4 file in background with progress in iOS?

查看:106
本文介绍了如何在iOS中随着进度在后台下载多个mp4文件?的处理方法,对大家解决问题具有一定的参考价值,需要的朋友们下面随着小编来一起学习吧!

问题描述

从最近2天开始,我一直在这个问题上停留.请帮帮我.

I stuck from last 2 days on this issue. please help me out.

我的要求是,如果我在第二个View Controller中在后台下载文件,并且在下载开始后弹出到第一个View Controller,并且如果我再次推送到第二个View Controller,则该进度应该继续.

My requirement is, if I downloading a file in background in second view controller and after download starting I pop to 1st view controller and If I again push to 2nd view controller then that progress should be continue.

这是怎么回事:

  1. 我推到第二个视图控制器.
  2. 我使用NSMutableURLRequestNSURLConnection开始下载.
  3. 如果我弹出第一个视图控制器,然后再次转到第二个视图控制器,则所有控件都显示0.意味着如果在弹出过程中进度为34%,并再次推送时间,则其0%出现在我的UI中,但下载仍照常进行.
  1. I push to second view controller.
  2. I started Download using NSMutableURLRequest, NSURLConnection.
  3. If I pop to 1st view controller and again go to 2nd view controller then all are showing 0. Means If progress is 34% during pop and again push time its 0% showing in my UI, but download is continuing as usual.

我的日志也显示完美,但UI未显示.我尝试了所有的答案.所有人都遇到同样的问题.

My log also showing perfect but UI its not showing. I tried all SO answers. All are in same problem.

这是我的整个代码:

应用内委托方法:

@property (copy) void (^backgroundSessionCompletionHandler)();

CTAppDelegate.m

- (void)application:(UIApplication *)application handleEventsForBackgroundURLSession:(NSString *)identifier completionHandler:(void (^)())completionHandler
{
    self.backgroundSessionCompletionHandler = completionHandler;
}

2ndViewController.h

- (IBAction)downloadBackground:(id)sender;
- (IBAction)downloadImage:(id)sender;
@property (strong, nonatomic) IBOutlet UIImageView *downloadedImage;
@property (strong, nonatomic) IBOutlet UIProgressView *progressView;
@end

2ndViewController.m

#import "CTViewController.h"
#import "CTSessionOperation.h"
#import "CTAppDelegate.h"

static NSString *downloadUrl =     @"http://www.nasa.gov/sites/default/files/ladee_9.4.13_nasa_edge_0.jpg";

@interface CTViewController ()

@property (nonatomic, strong) NSOperation *downloadOperation;

@end

@implementation CTViewController

- (void)viewDidLoad
{
    [super viewDidLoad];
    // Do any additional setup after loading the view, typically from a nib.

    self.progressView.progress = 0;
    self.downloadedImage.hidden = NO;
    self.progressView.hidden = YES;
}

- (void)didReceiveMemoryWarning
{
    [super didReceiveMemoryWarning];
    // Dispose of any resources that can be recreated.
}

- (IBAction)downloadBackground:(id)sender {
//    [self downloadImageInBackground:YES];

    [self.navigationController popViewControllerAnimated:YES];
}

- (IBAction)downloadImage:(id)sender {
    [self downloadImageInBackground:NO];
}

- (void)downloadImageInBackground:(BOOL)background{
   if (self.downloadOperation){
       return;
   }

    CTSessionOperation *operation = [CTSessionOperation new];
    operation.downloadUrl = downloadUrl;
    operation.progressAction = ^(double bytesWritten, double bytesExpected){
        double progress = bytesWritten / bytesExpected;
       dispatch_async(dispatch_get_main_queue(), ^{
        self.progressView.progress = (float) progress;
        });
     };
     operation.completionAction = ^(NSURL *imageUrl, BOOL success){
        dispatch_async(dispatch_get_main_queue(), ^{
             if (success){
                 UIImage *image = [UIImage imageWithContentsOfFile:[imageUrl path]];
                 self.downloadedImage.image = image;
                 NSLog(@"Done.......");
              }
             self.downloadedImage.hidden = NO;
             self.progressView.progress = 0;
             self.progressView.hidden = YES;
             self.downloadOperation = nil;
         });
     };
     operation.isBackground = background;

     [operation enqueueOperation];
     self.downloadedImage.hidden = YES;
     self.progressView.hidden = NO;
     self.downloadOperation = operation;
  }

  @end

Operation.h

  #import <Foundation/Foundation.h>

  typedef void (^CTProgressBlock)(double totalBytesWritten, double bytesExpected);
  typedef void (^CTCompletionBlock)(NSURL *imageUrl, BOOL success);

  @interface CTSessionOperation : NSOperation<NSURLSessionDelegate,    NSURLSessionTaskDelegate, NSURLSessionDownloadDelegate>

  @property (nonatomic) NSURLSessionDownloadTask *downloadTask;
  @property (nonatomic) NSURLSession *session;
  @property (nonatomic, strong) NSString *downloadUrl;
  @property (strong) CTProgressBlock progressAction;
  @property (strong) CTCompletionBlock completionAction;
  @property (nonatomic, assign) BOOL isBackground;

  - (void)enqueueOperation;
  @end

Operation.m

  #import "CTSessionOperation.h"
  #import "CTAppDelegate.h"

  @implementation CTSessionOperation

  - (NSOperationQueue *)operationQueue{
         static NSOperationQueue *operationQueue = nil;
         static dispatch_once_t onceToken;
         dispatch_once(&onceToken, ^{
               operationQueue = [NSOperationQueue new];
               [operationQueue setMaxConcurrentOperationCount:NSOperationQueueDefaultMaxConcurrentOperationCount];
         });

        return operationQueue;
    }

    - (NSURLSession *)session {
         static NSURLSession *session = nil;
         static NSURLSession *backgroundSession = nil;
         static dispatch_once_t onceToken;
         dispatch_once(&onceToken, ^{
              NSURLSessionConfiguration *configuration =  [NSURLSessionConfiguration defaultSessionConfiguration];
              session = [NSURLSession sessionWithConfiguration:configuration delegate:self delegateQueue:nil];
              NSURLSessionConfiguration *backgroundConfiguration = [NSURLSessionConfiguration
         backgroundSessionConfiguration:@"com.captech.NSURLSample.BackgroundSession"];
              backgroundSession = [NSURLSession sessionWithConfiguration:backgroundConfiguration
                                                      delegate:self
                                                 delegateQueue:nil];
             });

          return self.isBackground ? backgroundSession : session;
    }

    - (void)enqueueOperation{
          [[self operationQueue] addOperation:self];
    }

    #pragma mark - NSOperation

    - (void)start {
         if (!self.isCancelled){
                NSURL *downloadURL = [NSURL URLWithString:self.downloadUrl];
                NSURLRequest *request = [NSURLRequest requestWithURL:downloadURL];

                self.downloadTask = [self.session downloadTaskWithRequest:request];
                [self.downloadTask resume];
          }
     }

     #pragma mark - NSURLSessionDownloadDelegate
     - (void)URLSession:(NSURLSession *)session downloadTask:(NSURLSessionDownloadTask *)downloadTask didFinishDownloadingToURL:(NSURL *)location {
        NSFileManager *fileManager = [NSFileManager defaultManager];

        NSArray *urls = [fileManager URLsForDirectory:NSDocumentDirectory inDomains:NSUserDomainMask];
        NSURL *documentsDirectory = [urls objectAtIndex:0];

        NSURL *originalUrl = [[downloadTask originalRequest] URL];
NSURL *destinationUrl = [documentsDirectory URLByAppendingPathComponent:[originalUrl lastPathComponent]];
         NSError *error;

        [fileManager removeItemAtURL:destinationUrl error:NULL];
          BOOL success = [fileManager copyItemAtURL:location toURL:destinationUrl error:&error];
          if (self.completionAction){
                 self.completionAction(destinationUrl, success);
           }
     }

       - (void)URLSession:(NSURLSession *)session downloadTask:(NSURLSessionDownloadTask *)downloadTask didWriteData:(int64_t)bytesWritten totalBytesWritten:(int64_t)totalBytesWritten totalBytesExpectedToWrite:(int64_t)totalBytesExpectedToWrite {
              if (downloadTask == self.downloadTask && self.progressAction){
              self.progressAction((double)totalBytesWritten, (double)totalBytesExpectedToWrite);
           }
     }

     - (void)URLSession:(NSURLSession *)session downloadTask:(NSURLSessionDownloadTask *)downloadTask didResumeAtOffset:(int64_t)fileOffset expectedTotalBytes:(int64_t)expectedTotalBytes {

     }

    #pragma mark - NSURLSessionTaskDelegate

    - (void)URLSession:(NSURLSession *)session task:(NSURLSessionTask *)task didCompleteWithError:(NSError *)error {
        if (self.progressAction){
               self.progressAction((double)task.countOfBytesReceived, (double)task.countOfBytesExpectedToReceive);
        }

         self.downloadTask = nil;
    }

     #pragma mark - NSURLSessionDelegate

      - (void)URLSessionDidFinishEventsForBackgroundURLSession:(NSURLSession *)session {
           CTAppDelegate *appDelegate = (CTAppDelegate *)[[UIApplication sharedApplication] delegate];
           if (appDelegate.backgroundSessionCompletionHandler) {
                 void (^completionHandler)() =  appDelegate.backgroundSessionCompletionHandler;
             appDelegate.backgroundSessionCompletionHandler = nil;
    completionHandler();
           }
     }

     @end

这是我的完整代码.请检查一下...:)

This is my full code. Please check with this ... :)

推荐答案

我将处理与您的下载方式略有不同的下载:)

I would have dealt with download a little different from how you are doing it :)

这就是我的处理方式:)

Here is how I would handle it :)

1.声明一个NSOperation类,并移动代码将文件下载到该类

1.Declare a NSOperation class and move the code to download the file to this class

2.在您的NSOpertaion类中声明一个协议,该协议将向确认该协议的任何人通知当前下载状态

2.Declare a protocol in your NSOpertaion class which will inform the current download status to whoever confirms to this protocol

3.在您的第二个VC中,启动NSOpertaion并选择委托:)并相应地更新进度

3.In your second VC start the NSOpertaion and opt for the delegate :) and update your progress accordingly

  1. 在您的secondVC的viewWillDisappear中,将其删除为委托,然后将其作为委托重新添加回secondVC的ViewWillAppear中的NSOperation

这里有一些相同的代码:)

Here is a little bit of code for the same :)

downloadAssets.h

#import <Foundation/Foundation.h>

@protocol AssetDownloadStatusProtocol <NSObject>
-(void)updateStatusWithValue:(float) progress;
@end

@interface downloadAssets : NSOperation
@property (nonatomic,weak) id<AssetDownloadStatusProtocol> delegate;
@property (nonatomic,strong) NSString *urlToDownload;
-(id)initWithURL:(NSString *)url;
@end

downloadAssets.m

    @implementation downloadChatAssets

-(id)initWithURL:(NSString *)url{
    self=[super init];
    self.urlToDownload = url;
    appdelegate=(AppDelegate *)[[UIApplication sharedApplication] delegate];
    return self;
}

- (void)main {
    // a lengthy operation
    @autoreleasepool {
        dispatch_async(dispatch_get_global_queue(DISPATCH_QUEUE_PRIORITY_DEFAULT, 0), ^{
            if (self.isCancelled) {
                appdelegate.downloadingOperation = nil;
                return;
            }
            else{
                NSURLSessionConfiguration *configuration = [NSURLSessionConfiguration defaultSessionConfiguration];
                AFURLSessionManager *manager = ... //start downloading

                NSURLSessionDataTask *dataTask = [manager dataTaskWithRequest:URLRequest uploadProgress:nil downloadProgress:^(NSProgress * _Nonnull downloadProgress) {
                    if (self.isCancelled) {
                        appdelegate.downloadingOperation = nil;
                        return;
                    }
                    self.progressAmount = downloadProgress.fractionCompleted;
                    dispatch_async(dispatch_get_main_queue(), ^{
                        [self.delegate updateStatusWithValue:self.progressAmount];
                    });
                } completionHandler:^(NSURLResponse * _Nonnull response, id  _Nullable responseObject, NSError * _Nullable error) {
                    //handle completion here
                }];

                [dataTask resume];
            }
        });
    }
}
@end

AppDelegate.h

@property (nonatomic, Strong) NSOperation *downloadingOperation;

SecondVC.h

@interface SecondVC : UIViewController <AssetDownloadStatusProtocol>

SecondVC.m

-(void)viewWillAppear:(BOOL)animated{
    [super viewWillAppear:YES];
    if(appdelegate.downloadingOperation) {
          appdelegate.downloadingOperation.delegate = self;
    }
}

-(void)viewWillDisappear:(BOOL)animated{
    [super viewWillDisappear:YES];
    if(appdelegate.downloadingOperation) {
           appdelegate.downloadingOperation.delegate = nil;
    }
}

-(void)updateStatusWithValue:(float)progress{
    dispatch_async(dispatch_get_main_queue(), ^{
        //update your progress here
        [self.progressView updateProgressBarWithProgressValue:progress];
    });
}

就这样:)

随时开始下载操作:)

start the download operation whenever you want :)

appdelegate.downloadingOperation = yourDownloaderOperation;
[yourDownloaderOperation start];

您想阻止它说

[yourDownloaderOperation stop];

具有一个以上的下载操作?考虑使用NSOperationQueue或Array将NSOperations保留在appdelegate中:)

Have morethan one download operation ?? Consider using NSOperationQueue or Array to hold NSOperations in appdelegate :)

编辑

根据您的评论请求,您可以在appDelegate中保留对CTOperation的引用.

As per your request in comment, you can hold the reference to CTOperation in your appDelegate.

@property (nonatomic, Strong) CTOperation *downloadingOperation;

您不需要声明协议,因为您已经声明了完成块和progressActionBlock:)

You dont need to declare a protocol as you have already declared completion block and progressActionBlock :)

您要做的就是,在SecondVC viewWillAppear中签入.

All you have to do is to, check in your SecondVC viewWillAppear.

-(void)viewWillAppear:(BOOL)animated{
        [super viewWillAppear:YES];
        if(appdelegate.downloadingOperation) {
              appdelegate.downloadingOperation.progressAction = ^(double bytesWritten, double bytesExpected){
    double progress = bytesWritten / bytesExpected;
   dispatch_async(dispatch_get_main_queue(), ^{
    self.progressView.progress = (float) progress;
    });
 };
 appdelegate.downloadingOperation.completionAction = ^(NSURL *imageUrl, BOOL success){
    dispatch_async(dispatch_get_main_queue(), ^{
         if (success){
             UIImage *image = [UIImage imageWithContentsOfFile:[imageUrl path]];
             self.downloadedImage.image = image;
             NSLog(@"Done.......");
          }
         self.downloadedImage.hidden = NO;
         self.progressView.progress = 0;
         self.progressView.hidden = YES;
         self.downloadOperation = nil;
     });
 };
        }
    }

    -(void)viewWillDisappear:(BOOL)animated{
        [super viewWillDisappear:YES];
        if(appdelegate.downloadingOperation) {
               appdelegate.downloadingOperation.progressAction = nil;
               appdelegate.downloadingOperation.completionAction = nil;
        }
    }

并在您的downloadImageInBackground方法中,而不是在self.downloadOperation = operation;中说`appdelegate.downloadingOperation = operation;

and in your downloadImageInBackground method rather than self.downloadOperation = operation; say `appdelegate.downloadingOperation = operation;

免责声明

请注意,此答案中提供的代码仅用于解释概念.请问我有句法上的或句法上的错误.请避免盲目复制粘贴.

Please note code provided in this answer is only for the purpose of explaining concept. May I have syntactic or symmentic errors. Please refrain from blindly copy pasting.

简单的权利???如有疑问,请ping我:)祝您编码愉快:)

Simple right ??? Have doubts, ping me :) Happy coding :)

这篇关于如何在iOS中随着进度在后台下载多个mp4文件?的文章就介绍到这了,希望我们推荐的答案对大家有所帮助,也希望大家多多支持IT屋!

查看全文
登录 关闭
扫码关注1秒登录
发送“验证码”获取 | 15天全站免登陆