如何从 iOS 中的两个日期范围内的照片库中获取图像?

How to fetch images from photo library within range of two dates in iOS?

上下文

我正在尝试从照片库中获取两个日期范围内的图像。

首先,我以字典形式一张一张地获取照片库图像的信息,并使用键选择每个图像日期,并使用 if 条件将该日期与两个日期进行比较。

如果该图像的日期介于这两个日期之间,我将该图像插入到数组中。

我将图像保存在数组中,因为我想在集合视图中显示它们。

问题

虽然它可以在模拟器上运行,但由于内存问题,它不能在真实设备上运行。

我认为真实设备照片库中有大量图像,这就是出现内存问题的原因。

我该如何解决这个问题?

为什么要在数组中保存图像。如果图像在两个日期之间,只需将图像名称存储在数组中。然后使用下面的代码通过库

中的名称获取和使用图像
NSString* photoName = [NSString stringWithFormat:@"%@.png",imageName];
NSArray *arrayPaths = NSSearchPathForDirectoriesInDomains(NSLibraryDirectory,NSUserDomainMask, YES); 
NSString *path = [arrayPaths objectAtIndex:0];
NSString* imagePath = [path stringByAppendingPathComponent: photoName];
UIImage *image1=[UIImage imageWithContentsOfFile: imagePath];
imageView.image=image1;

根据我们在评论中的对话,您同意切换到照片框架而不是资产库,而不是将图像保存到您的数组,而是将 PHAsset 的本地标识符保存到您的数组。

获取您日期范围内图片的本地标识符

为了按日期获取图像,首先创建一个实用程序方法来创建日期,为了可重用性:

-(NSDate*) getDateForDay:(NSInteger) day andMonth:(NSInteger) month andYear:(NSInteger) year{
    NSDateComponents *comps = [[NSDateComponents alloc] init];
    [comps setDay:day];
    [comps setMonth:month];
    [comps setYear:year];
    NSDate *date = [[NSCalendar currentCalendar] dateFromComponents:comps];
    return date;
} 

您可以像这样从中创建 startDate 和 endDate:

NSDate *startDate = [self getDateForDay:11 andMonth:10 andYear:2015];
NSDate *endDate = [self getDateForDay:15 andMonth:8 andYear:2016];

现在您需要从照片库中获取在此范围内的 FetchResults。为此使用此方法:

-(PHFetchResult*) getAssetsFromLibraryWithStartDate:(NSDate *)startDate andEndDate:(NSDate*) endDate
{
    PHFetchOptions *fetchOptions = [[PHFetchOptions alloc] init];
    fetchOptions.predicate = [NSPredicate predicateWithFormat:@"creationDate > %@ AND creationDate < %@",startDate ,endDate];
    PHFetchResult *allPhotos = [PHAsset fetchAssetsWithMediaType:PHAssetMediaTypeImage options:fetchOptions]; 
    return allPhotos;
}

现在您可以获得此日期范围内所有照片的 PHFetchResults。现在要提取本地标识符的数据数组,您可以使用此方法:

-(NSMutableArray *) getAssetIdentifiersForFetchResults:(PHFetchResult *) result{

    NSMutableArray *identifierArray = [[NSMutableArray alloc] init];
    for(PHAsset *asset in result){
        NSString *identifierString = asset.localIdentifier;
        [identifierArray addObject:identifierString];
    }
    return identifierArray;
}

在需要时将方法添加到 fetch/utilize 单个资产

现在,您需要 PHAsset 图像。您可以像这样使用 LocalIdentifier 来获取 PHAsset:

-(void) getPHAssetWithIdentifier:(NSString *) localIdentifier andSuccessBlock:(void (^)(id asset))successBlock failure:(void (^)(NSError *))failureBlock{
    dispatch_async(dispatch_get_global_queue(DISPATCH_QUEUE_PRIORITY_DEFAULT, 0), ^{

        NSArray *identifiers = [[NSArray alloc] initWithObjects:localIdentifier, nil];
        PHFetchResult *savedAssets = [PHAsset fetchAssetsWithLocalIdentifiers:identifiers options:nil];
        if(savedAssets.count>0)
        {
            successBlock(savedAssets[0]);
        }
        else
        {
            NSError *error;
            failureBlock(error);
        }
    });
}

然后使用此 PHAsset,您可以获得所需大小的图像(尽量保持最小以尽量减少内存使用):

-(void) getImageForAsset: (PHAsset *) asset andTargetSize: (CGSize) targetSize andSuccessBlock:(void (^)(UIImage * photoObj))successBlock {
    dispatch_async(dispatch_get_global_queue(DISPATCH_QUEUE_PRIORITY_DEFAULT, 0), ^{
        PHImageRequestOptions *requestOptions;

        requestOptions = [[PHImageRequestOptions alloc] init];
        requestOptions.resizeMode   = PHImageRequestOptionsResizeModeFast;
        requestOptions.deliveryMode = PHImageRequestOptionsDeliveryModeFastFormat;
        requestOptions.synchronous = true;
        PHImageManager *manager = [PHImageManager defaultManager];
        [manager requestImageForAsset:asset
                           targetSize:targetSize
                          contentMode:PHImageContentModeDefault
                              options:requestOptions
                        resultHandler:^void(UIImage *image, NSDictionary *info) {
                            @autoreleasepool {

                                if(image!=nil){
                                    successBlock(image);
                                }
                            }
                        }];
    });

}

但是不要直接调用这些方法来获取你想要的所有图像。

相反,在您的 cellForItemAtIndexPath 方法中调用这些方法,例如:

 //Show spinner
[self getPHAssetWithIdentifier:yourLocalIdentifierAtIndexPath andSuccessBlock:^(id assetObj) {
        PHAsset *asset = (PHAsset*)assetObj;
        [self getImageForAsset:asset andTargetSize:yourTargetCGSize andSuccessBlock:^(UIImage *photoObj) {
            dispatch_async(dispatch_get_main_queue(), ^{
                //Update UI of cell
                //Hide spinner
                cell.imgViewBg.image = photoObj;
            });
        }];
    } failure:^(NSError *err) {
       //Some error occurred in fetching the image
    }];

结论

总之:

  1. 您可以通过只获取可见单元格的图像而不是获取全部图像来解决内存问题。
  2. 您可以通过在后台线程上获取图像来优化性能。

如果您无论如何都想将所有资产放在一起,您可以使用 fetchAssetCollectionWithLocalIdentifiers: 方法获取它,但我不建议这样做。

如果您有任何问题或有任何其他反馈,请发表评论。


感谢 Lyndsey Scott 将谓词设置为 PHFetchResult 请求,以便在她的回答中获取两个日期之间的图像