1

我正在创建一个应用程序,它正在加载 56 张总大小约为 200MB 的图像,当我在 UIScrollView 中显示所有这些图像时,应用程序花费的时间太长(大约 6 分钟)并且有时会崩溃。

请建议我一种使用 UIView 进行整理并一次加载 1 个图像的方法。图像保存在应用程序中。

4

3 回答 3

1

在 UIScrollView 中加载这么多图像是非常糟糕的做法。每当您处理如此多的内容时,您应该考虑使用 UITableViews 或为以这种方式处理加载图像而构建的库。

实际上,我不久前写了一个 iOS 画廊,FGallery,你可以在这里找到。

即使使用后台线程,当您的应用程序只显示一个时,一次将 56 个图像加载到内存中也是不好的。这会导致崩溃、锁定和整体糟糕的用户体验。希望这可以帮助!

于 2012-08-17T14:07:16.503 回答
1

如果您的图像视图大小为 320*416 像素,则计算内存大小可能为 320*416*200/1000000 = ~27 MB。

更好的选择是将图像缩放到 320 *416 像素:

- (UIImage *)imageByScalingProportionallyToSize:(CGSize)targetSize;

- (UIImage *)imageByScalingProportionallyToSize:(CGSize)targetSize {

    UIImage *sourceImage = self;
    UIImage *newImage = nil;

    CGSize imageSize = sourceImage.size;
    CGFloat width = imageSize.width;
    CGFloat height = imageSize.height;

    CGFloat targetWidth = targetSize.width;
    CGFloat targetHeight = targetSize.height;

    CGFloat scaleFactor = 0.0;
    CGFloat scaledWidth = targetWidth;
    CGFloat scaledHeight = targetHeight;

    CGPoint thumbnailPoint = CGPointMake(0.0,0.0);

    if (CGSizeEqualToSize(imageSize, targetSize) == NO) {

        CGFloat widthFactor = targetWidth / width;
        CGFloat heightFactor = targetHeight / height;

        if (widthFactor < heightFactor) 
            scaleFactor = widthFactor;
        else
            scaleFactor = heightFactor;

        scaledWidth  = width * scaleFactor;
        scaledHeight = height * scaleFactor;

        // center the image

        if (widthFactor < heightFactor) {
            thumbnailPoint.y = (targetHeight - scaledHeight) * 0.5; 
        } else if (widthFactor > heightFactor) {
            thumbnailPoint.x = (targetWidth - scaledWidth) * 0.5;
        }
    }


    // this is actually the interesting part:

    UIGraphicsBeginImageContext(targetSize);

    CGRect thumbnailRect = CGRectZero;
    thumbnailRect.origin = thumbnailPoint;
    thumbnailRect.size.width  = scaledWidth;
    thumbnailRect.size.height = scaledHeight;

    [sourceImage drawInRect:thumbnailRect];

    newImage = UIGraphicsGetImageFromCurrentImageContext();
    UIGraphicsEndImageContext();

    if(newImage == nil) NSLog(@"could not scale image");


    return newImage ;
}
于 2012-08-17T13:16:21.470 回答
0

您需要做的是实现 NSOperationQueue 以预加载图像并将其设置为第一部分的图像数量。在 NSOperationQueue 中,您应该将 MaxNumberOfConcurenceOperations 设置为一个小数字。

下一步 - 你应该优化你的图像!

如果您有 56 张大约 200MB 的图像,那么您的图像的大小超过 3MB。您应该使用图形功能为您的图像创建缩略图。生成的缩略图应小于 100KB。将所有图像存储在文件系统中。

还有最后一个,最好不要把所有的 UIImageView 都存到内存中。相反,请使用像 UITableView 中使用的按需加载技术。

于 2012-08-17T12:49:29.607 回答