所以这里的要点是我有一个程序,它有一个由许多小图像组成的大图像,它获取这个图像并将它分成许多较小的图像(如电影的帧),然后用户可以去擦洗通过。
我目前使用这种方法
- (NSMutableArray *)createArrayFromImage: (NSData *)largerImageData
{
UIImage *largerImage = [UIImage imageWithData: largerImageData];
int arraySize = (int)largerImage.size.height/largerImage.size.width; //Find out how many images there are
NSMutableArray *imageArray = [[NSMutableArray alloc] init];
for (int i = 0; i < arraySize; i++) {
CGRect cropRect = CGRectMake(0, largerImage.size.width * i, largerImage.size.width, largerImage.size.width);
CGImageRef imageRef = CGImageCreateWithImageInRect([largerImage CGImage], cropRect);
UIImage *image = [UIImage imageWithCGImage: imageRef];
CGImageRelease(imageRef);
[imageArray addObject: UIImageJPEGRepresentation(image, 1.0)];
NSLog(@"Added image %d", i);
}
NSLog(@"Final size %d", (int)[imageArray count]);
return imageArray;
}
但是,由于 UIImageJPEGRepresentation 被调用,这非常慢,如果我只是将 UIImage 直接添加到数组中,但是当我在用户擦洗时执行此操作时会快得多通过数组中的图像,它开始分配大量内存,迫使应用程序最终崩溃。如果有帮助,它会调用 [UIImageView setImage:]; 。对此的任何帮助将不胜感激。
ED|T:CGImageCreateWithImageInRect 可能会保留“largerImage”,这会导致它占用大量内存
Best Answer-推荐答案 strong>
基本上,您的目标似乎是随机向用户显示图像的特定部分。
如果您只想显示图像的较小部分,则不必创建较小的图像。特别是如果大图像可以立即加载到内存中。
而是尝试使用 View 剪辑来调整图像的可见部分。
例如,你可以试试这个。
- 将大图设置为
UIImageView 和 sizeToFit 。
- 将 ImageView 放在
UIView 中。
- 将
UIView 的frame设置为小图片。
clipsToBounds 将外部 UIView 改为 YES 。
- 调整内部
UIImageView 的transform 控制可见部分。
这与您对 UIScrollView 所做的操作基本相同,只是通过用户交互自动滚动。
这是一个代码示例。
- (void)viewDidLoad {
[super viewDidLoad];
UIImageView* v1 = [[UIImageView alloc] init];
[v1 setImage:[UIImage imageWithContentsOfFile"large-image.png"]];
[v1 sizeToFit];
UIView* v2 = [[UIView alloc] init];
[v2 setFrame:CGRectMake(0, 0, 100, 100)];
[v2 addSubview:v1];
[v2 setClipsToBounds:YES];
// Set transform later to adjust visible portion.
v1.transform = CGAffineTransformMakeTranslation(-100, -100);
[self.view addSubview:v2];
}
关于ios - imageWithCGImage 的内存问题,我们在Stack Overflow上找到一个类似的问题:
https://stackoverflow.com/questions/24727599/
|