Сохранить изображение в папку с документами приложения из UIView на IOS - PullRequest
109 голосов
/ 25 июля 2011

У меня есть UIImageView, который позволяет пользователю размещать и удерживать изображение, пока оно не может быть сохранено. Проблема в том, что я не могу понять, как на самом деле сохранить и получить изображение, которое я поместил в представление.

Я извлек и поместил изображение в UIImageView так:

//Get Image 
- (void) getPicture:(id)sender {
    UIImagePickerController *picker = [[UIImagePickerController alloc] init];
    picker.delegate = self;
    picker.allowsEditing = YES;
    picker.sourceType = (sender == myPic) ? UIImagePickerControllerSourceTypeCamera : UIImagePickerControllerSourceTypeSavedPhotosAlbum;
    [self presentModalViewController:picker animated:YES];
    [picker release];
}


- (void)imagePickerController:(UIImagePickerController *)picker didFinishPickingImage (UIImage *)image editingInfo:(NSDictionary *)editingInfo {
    myPic.image = image;
    [picker dismissModalViewControllerAnimated:YES];
}

Он отображает выбранное изображение в моем UIImageView просто отлично, но я понятия не имею, как его сохранить. Я сохраняю все остальные части представления (в основном UITextfield) в Core Data. Я искал и искал, и пробовал много битов кода, которые предлагали люди, но либо я неправильно ввел код, либо эти предложения не работают так, как у меня настроен мой код. Это, вероятно, первый. Я хотел бы сохранить изображение в UIImageView, используя то же действие (кнопка сохранения), которое я использую для сохранения текста в UITextFields. Вот как я сохраняю информацию о UITextField:

// Handle Save Button
- (void)save {

    // Get Info From UI
    [self.referringObject setValue:self.myInfo.text forKey:@"myInfo"];

Как я уже говорил ранее, я попробовал несколько методов, чтобы заставить это работать, но не могу понять это. Впервые в жизни я хотел нанести физический вред неодушевленному предмету, но мне удалось сдержать себя.

Я хотел бы иметь возможность сохранить изображение, которое пользователь помещает в UIImageView в папке документов приложения, а затем получить его и поместить в другой UIImageView для отображения, когда пользователь помещает это представление в стек , Любая помощь с благодарностью!

Ответы [ 6 ]

335 голосов
/ 26 июля 2011

Все хорошо, чувак. Не навреди себе или другим.

Вы, вероятно, не хотите хранить эти изображения в Базовых данных, поскольку это может повлиять на производительность, если набор данных становится слишком большим. Лучше записать изображения в файлы.

NSData *pngData = UIImagePNGRepresentation(image);

Это извлекает данные PNG снятого вами изображения. Отсюда вы можете записать его в файл:

NSArray *paths = NSSearchPathForDirectoriesInDomains(NSDocumentDirectory, NSUserDomainMask, YES);  
NSString *documentsPath = [paths objectAtIndex:0]; //Get the docs directory 
NSString *filePath = [documentsPath stringByAppendingPathComponent:@"image.png"]; //Add the file name
[pngData writeToFile:filePath atomically:YES]; //Write the file

Чтение позже работает так же. Постройте путь, как мы только что сделали выше, тогда:

NSData *pngData = [NSData dataWithContentsOfFile:filePath];
UIImage *image = [UIImage imageWithData:pngData];

То, что вы, вероятно, захотите сделать, - это создать метод, который создаст для вас строки пути, поскольку вы не хотите, чтобы этот код везде был засорен Это может выглядеть так:

- (NSString *)documentsPathForFileName:(NSString *)name
{
    NSArray *paths = NSSearchPathForDirectoriesInDomains(NSDocumentDirectory,NSUserDomainMask, YES);  
    NSString *documentsPath = [paths objectAtIndex:0];

    return [documentsPath stringByAppendingPathComponent:name]; 
}

Надеюсь, это полезно.

3 голосов
/ 23 августа 2017

Swift 3.0 версия

let documentDirectoryPath = NSSearchPathForDirectoriesInDomains(.documentDirectory, .userDomainMask, true)[0] as NSString

let img = UIImage(named: "1.jpg")!// Or use whatever way to get the UIImage object
let imgPath = URL(fileURLWithPath: documentDirectoryPath.appendingPathComponent("1.jpg"))// Change extension if you want to save as PNG

do{
    try UIImageJPEGRepresentation(img, 1.0)?.write(to: imgPath, options: .atomic)//Use UIImagePNGRepresentation if you want to save as PNG
}catch let error{
    print(error.localizedDescription)
}
1 голос
/ 03 мая 2018

Это ответ Fangming Ning для Swift 4.2 , обновленный рекомендуемым и более Swifty методом для получения пути к каталогу документа и улучшенной документации.Кредиты Fangming Ning для нового метода.

guard let documentDirectoryPath = FileManager.default.urls(for: .documentDirectory, in: .userDomainMask).first else {
    return
}

//Using force unwrapping here because we're sure "1.jpg" exists. Remember, this is just an example.
let img = UIImage(named: "1.jpg")!

// Change extension if you want to save as PNG.
let imgPath = documentDirectoryPath.appendingPathComponent("1.jpg")

do {
    //Use .pngData() if you want to save as PNG.
    //.atomic is just an example here, check out other writing options as well. (see the link under this example)
    //(atomic writes data to a temporary file first and sending that file to its final destination)
    try img.jpegData(compressionQuality: 1)?.write(to: imgPath, options: .atomic)
} catch {
    print(error.localizedDescription)
}

Проверьте все возможные варианты записи данных здесь.

0 голосов
/ 10 декабря 2018
#pragma mark == Save Image To Local Directory

-(void)saveImageToDocumentDirectoryWithImage: (UIImage *)capturedImage {
NSError *error;
NSArray *paths = NSSearchPathForDirectoriesInDomains(NSDocumentDirectory, NSUserDomainMask, YES);
NSString *documentsDirectory = [paths objectAtIndex:0]; // Get documents folder
NSString *dataPath = [documentsDirectory stringByAppendingPathComponent:@"/images"];

//Create a folder inside Document Directory
if (![[NSFileManager defaultManager] fileExistsAtPath:dataPath])
    [[NSFileManager defaultManager] createDirectoryAtPath:dataPath withIntermediateDirectories:NO attributes:nil error:&error]; //Create folder

NSString *imageName = [NSString stringWithFormat:@"%@/img_%@.png", dataPath, [self getRandomNumber]] ;
// save the file
if ([[NSFileManager defaultManager] fileExistsAtPath:imageName]) {
    // delete if exist
    [[NSFileManager defaultManager] removeItemAtPath:imageName error:nil];
}

NSData *imageDate = [NSData dataWithData:UIImagePNGRepresentation(capturedImage)];
[imageDate writeToFile: imageName atomically: YES];
}

#pragma mark
#pragma mark == Generate Random Number
-(NSString *)getRandomNumber{
NSTimeInterval time = ([[NSDate date] timeIntervalSince1970]); // returned as a double
long digits = (long)time; // this is the first 10 digits
int decimalDigits = (int)(fmod(time, 1) * 1000); // this will get the 3 missing digits
//long timestamp = (digits * 1000) + decimalDigits;
NSString *timestampString = [NSString stringWithFormat:@"%ld%d",digits ,decimalDigits];
return timestampString;
}
0 голосов
/ 19 июня 2018

Swift 4 с расширением

extension UIImage{

func saveImage(inDir:FileManager.SearchPathDirectory,name:String){
    guard let documentDirectoryPath = FileManager.default.urls(for: inDir, in: .userDomainMask).first else {
        return
    }
    let img = UIImage(named: "\(name).jpg")!

    // Change extension if you want to save as PNG.
    let imgPath = URL(fileURLWithPath: documentDirectoryPath.appendingPathComponent("\(name).jpg").absoluteString)
    do {
        try UIImageJPEGRepresentation(img, 0.5)?.write(to: imgPath, options: .atomic)
    } catch {
        print(error.localizedDescription)
    }
  }
}

Пример использования

 image.saveImage(inDir: .documentDirectory, name: "pic")
0 голосов
/ 21 августа 2016

В Свифт:

let paths: [NSString?] = NSSearchPathForDirectoriesInDomains(.DocumentDirectory, .LocalDomainMask, true)
if let path = paths[0]?.stringByAppendingPathComponent(imageName) {
    do {
        try UIImagePNGRepresentation(image)?.writeToFile(path, options: .DataWritingAtomic)
    } catch {
        return
    }
}
...