绘图操作还原时内存暴增
- 目前在做绘图板,每画一笔需要生成一张图片然后销毁, 这时生成图片的内存是没有问题的, 但若用这些点的集合去在另一端进行还原操作,就会在1秒内调用多次画笔去还原路径生成图片导致内存暴增,查阅后,
- 一是画笔点的集合存储过多,应进行限制
- 二是生成图片时图片没有及时释放导致内存暴增(本文解决这个问题)
问题描述
- 情景:短时间频繁调用生成图片方法(如1秒内调用10次)
- 问题:每调用一次,内存增加10M,由于arc自动管理内存,导致图片没有及时被释放,内存瞬间飙到几百兆至1G然后程序崩溃
- 其他: 若只调用一次,或调用不频繁则不会导致内存暴增,arc会自动管理销毁
- 解决办法,手动嵌套一层autoreleasepool
原代码->导致内存暴增
- (UIImage *)composeBrushToImage
{
UIGraphicsBeginImageContextWithOptions(self.frame.size, NO, [UIScreen mainScreen].scale);
CGContextRef context = UIGraphicsGetCurrentContext();
[_composeView.layer renderInContext:context];
UIImage *getImage = UIGraphicsGetImageFromCurrentImageContext();
UIGraphicsEndImageContext();
_composeView.image = getImage;
return getImage;
}
解决后
- (UIImage *)composeBrushToImage
{
@autoreleasepool {
UIGraphicsBeginImageContextWithOptions(self.frame.size, NO, [UIScreen mainScreen].scale);
CGContextRef context = UIGraphicsGetCurrentContext();
[_composeView.layer renderInContext:context];
UIImage *getImage = UIGraphicsGetImageFromCurrentImageContext();
UIGraphicsEndImageContext();
_composeView.image = getImage;
return getImage;
}
}