Распаковка.sqlite файла с использованием SSZipArchive OBJ-C

У меня есть требование скачать.zip файл с сервера и использовать его для проецирования после распаковки. Я успешно загрузил файл.sqlite и могу извлечь его, щелкнув правой кнопкой мыши (вручную), но когда я пытаюсь извлечь его, используя minizip и SSZipArchive или ZipArchive, выдается ошибка "Не удается открыть файл".

Если я извлекаю.sqlite вручную и сжимаю файл.sqlite, щелкая правой кнопкой мыши в Mac, тогда мой код извлекает его полностью, но всякий раз, когда я пытаюсь извлечь загруженный файл напрямую, возникает эта проблема.

Я применил ниже форматы имен для записи и извлечения файла.

  1. Во время записи файла имя было XYZ.sqlite.zip, но оно также выдает ошибку
  2. XYZ.zip и имя файла содержит XYZ.sqlite. Это также дает ошибку
  3. Я также написал файл с именем XYZ.sqlite.zip, а затем переименовал его с помощью XYZ.zip, а затем извлек, но это также не работало.

Ниже приведен код.

Для скачивания файла:

 NSURLRequest *request = [NSURLRequest requestWithURL:[NSURL URLWithString:zipURL]];
  NSArray *paths = NSSearchPathForDirectoriesInDomains(NSDocumentDirectory, NSUserDomainMask, YES);
 NSString *path = [[paths objectAtIndex:0] stringByAppendingPathComponent:[zipURL lastPathComponent]];
operation = [[AFDownloadRequestOperation alloc] initWithRequest:request targetPath:path shouldResume:YES];
 [operation.securityPolicy setAllowInvalidCertificates:YES];
 [operation setCompletionBlockWithSuccess:^(AFHTTPRequestOperation *operation, id responseObject) {
 [self unzipDBFile:path];


} failure:^(AFHTTPRequestOperation *operation, NSError *error) {
    NSLog(@"Error: %@", error);
}];

[operation setProgressiveDownloadProgressBlock:
 ^(AFDownloadRequestOperation *operation, NSInteger bytesRead, long long totalBytesRead, long long totalBytesExpected, long long totalBytesReadForFile, long long totalBytesExpectedToReadForFile) {

     NSArray *progress = [NSArray arrayWithObjects:obj_Pro,[NSNumber numberWithFloat:totalBytesReadForFile/(float)totalBytesExpectedToReadForFile], nil];

     [self performSelectorOnMainThread:@selector(updateProgressBar:) withObject:progress waitUntilDone:NO];
 }];
[operation start];

Для извлечения файла:

-(void)unzipDBFile:(NSString *)filePath
{

 NSString *documentDir = [NSSearchPathForDirectoriesInDomains(NSDocumentDirectory,
                                                             NSUserDomainMask, YES) objectAtIndex:0];
   NSString *outputPath = [documentDir stringByAppendingPathComponent:@"/DBFolder"];
   BOOL isExtracted =[SSZipArchive unzipFileAtPath:outputPath toDestination:documentDir];

  // NSString *filepath = [[NSBundle mainBundle] pathForResource:@"ZipFileName" ofType:@"zip"];
 //    ZipArchive *zipArchive = [[ZipArchive alloc] init];
 //    [zipArchive UnzipOpenFile:filePath];

 //    NSArray *paths = NSSearchPathForDirectoriesInDomains(NSDocumentDirectory, NSUserDomainMask, YES);
//    NSString *path = [paths objectAtIndex:0];
//    BOOL isExtracted=[zipArchive UnzipFileTo:path overWrite:YES];
//    NSLog(@"PATH=%@",path);
   if (!isExtracted)
    {
     UIAlertView *alert=[[UIAlertView alloc] initWithTitle:@"Error in extracting" message:@"" delegate:nil cancelButtonTitle:@"OK" otherButtonTitles:nil, nil];
      [alert show];
      [alert release];
   }else{
     UIAlertView *alert=[[UIAlertView alloc] initWithTitle:@"Extract Success" message:@"" delegate:nil cancelButtonTitle:@"OK" otherButtonTitles:nil, nil];
     [alert show];
     [alert release];
   }
//    [zipArchive UnzipCloseFile];
//    [zipArchive release];
}

Ниже приведен код для обновления индикатора выполнения:

- (void)updateProgressBar:(NSArray *)progress
{
 UIProgressView *pgr = (UIProgressView *)[progress objectAtIndex:0];
 [pgr setProgress:[[progress objectAtIndex:1] floatValue]];
}

1 ответ

Решение

Я изучил проблему и обнаружил, что разработчик.net, создавший.zip, использовал сжатие gzip, поэтому minizip не может его извлечь.

Для распаковки я использовал iOS zlib framework и приведенный ниже код, и это решило мою проблему. Вы должны добавить ниже две вещи в заголовке перед реализацией этого метода.

#import <zlib.h>
#define CHUNK 16384

-(BOOL)unzipDBFile:(NSString *)filePath
{
NSString *documentDir = [NSSearchPathForDirectoriesInDomains(NSDocumentDirectory,
                                                             NSUserDomainMask, YES) objectAtIndex:0];
documentDir=[documentDir stringByAppendingPathComponent:DATABASE_FILE_NAME];

    gzFile file = gzopen([filePath UTF8String], "rb");
    FILE *dest = fopen([documentDir UTF8String], "w");
    unsigned char buffer[CHUNK];
    int uncompressedLength;
    while ((uncompressedLength = gzread(file, buffer, CHUNK)) ) {
        // got data out of our file
        if(fwrite(buffer, 1, uncompressedLength, dest) != uncompressedLength || ferror(dest)) {

            return FALSE;
        }
    }
    fclose(dest);
    gzclose(file);

return TRUE;
}
Другие вопросы по тегам