获取保存到相册的图片文件名

Get the filename of image saved to photos album

现代 iOS (2017),

这实际上是 我知道的唯一方法 将图像保存到 iOS 照片系统,并获得 filename/path。

import UIKit
import Photos

func saveTheImage... () {

    UIImageWriteToSavedPhotosAlbum(yourUIImage, self,
        #selector(Images.image(_:didFinishSavingWithError:contextInfo:)),
        nil)
}

func image(_ image: UIImage, didFinishSavingWithError error: NSError?, contextInfo: UnsafeRawPointer) {
    guard error == nil else {
        print("Couldn't save the image!")
        return
    }
    doGetFileName()
}

func doGetFileName() {
    let fo: PHFetchOptions = PHFetchOptions()
    fo.sortDescriptors = [NSSortDescriptor(key: "creationDate", ascending: false)]
    let r = PHAsset.fetchAssets(with: PHAssetMediaType.image, options: fo)
    if let mostRecentThingy = r.firstObject {

        PHImageManager.default().requestImageData(
            for: mostRecentThingy,
            options: PHImageRequestOptions(),
            resultHandler: { (imagedata, dataUTI, orientation, info) in

                if info!.keys.contains("PHImageFileURLKey") {
                    let path = info!["PHImageFileURLKey"] as! NSURL

                    print("Holy cow. The path is \(path)")
                }
                else { print("bizarre problem") }
            })

    }
    else { print("unimaginable catastrophe") }
}

这个问题是它在赛道条件下失败。

这非常笨拙,而且在很多方面都令人担忧。

今天真的是这样吗?

extension PHPhotoLibrary {

    func save(imageData: Data, withLocation location: CLLocation?) -> Promise<PHAsset> {
        var placeholder: PHObjectPlaceholder!
        return Promise { fullfil, reject in
            performChanges({
                let request = PHAssetCreationRequest.forAsset()
                request.addResource(with: .photo, data: imageData, options: .none)
                request.location = location
                placeholder = request.placeholderForCreatedAsset
            }, completionHandler: { (success, error) -> Void in
                if let error = error {
                    reject(error)
                    return
                }

                guard let asset = PHAsset.fetchAssets(withLocalIdentifiers: [placeholder.localIdentifier], options: .none).firstObject else {
                    reject(NSError())
                    return
                }

                fullfil(asset)
            })
        }
    }
}

我想你可以用 PHPhotoLibraryPHObjectPlaceholder 来做到这一点。

您刚刚以编程方式保存了图像,因此您可以从相机获取图像并使用您的路径进行保存:

//save image in Document Derectory
      NSArray *paths = NSSearchPathForDirectoriesInDomains(NSDocumentDirectory,NSUserDomainMask,YES);
      NSString *documentsDirectory = [paths objectAtIndex:0];
      NSLog(@"Get Path : %@",documentsDirectory);

      //create Folder if Not Exist
      NSError *error = nil;
      NSString *dataPath = [documentsDirectory stringByAppendingPathComponent:@"/YourFolder"];

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

      NSString *yourPhotoName=@"YourPhotoName";
      NSString* path= [dataPath stringByAppendingString:[NSString stringWithFormat:@"/%@.png",yourPhotoName]];
      NSData* imageData = UIImagePNGRepresentation(imageToSaved); //which got from camera

      [imageData writeToFile:path atomically:YES];

      imagePath = path;
      NSLog(@"Save Image Path : %@",imagePath);

也许这是一种不同的方法,但这是我在我的应用程序中所做的,我对此感到满意:

func saveImage(image: UIImage, name: String) {

    var metadata = [AnyHashable : Any]()
    let iptcKey = kCGImagePropertyIPTCDictionary as String
    var iptcMetadata = [AnyHashable : Any]()

    iptcMetadata[kCGImagePropertyIPTCObjectName as String] = name
    metadata[iptcKey] = iptcMetadata

    let library = ALAssetsLibrary()

    library.writeImage(toSavedPhotosAlbum: image.cgImage, metadata: metadata) { url, error in

        // etc...
    }
}

如果您不想使用 ALAssetsLibrary,您可能会对 this answer.

感兴趣