在 UICollectionView 中加载用户相册时内存增长失控
Posted
技术标签:
【中文标题】在 UICollectionView 中加载用户相册时内存增长失控【英文标题】:Memory growing out of control when loading users photo album in UICollecitonView 【发布时间】:2019-09-25 21:33:50 【问题描述】:我正在将用户相册中的照片加载到收藏视图中,类似于在this Apple Sample project 中的操作。我似乎无法追查为什么记忆越来越失控。我使用建议的PHCachingImageManager,但所有这些结果都是模糊的图像、冻结的滚动和失控的内存增长,直到应用程序崩溃。
在我的viewDidLoad
中运行以下代码
phphotoLibrary.requestAuthorization (status: PHAuthorizationStatus) in
print("photo authorization status: \(status)")
if status == .authorized && self.fetchResult == nil
print("authorized")
let fetchOptions = PHFetchOptions()
fetchOptions.sortDescriptors = [NSSortDescriptor(key: "creationDate", ascending: false)]
var tempArr:[PHAsset] = []
self.fetchResult = PHAsset.fetchAssets(with: .image, options: fetchOptions)
guard let fetchResult = self.fetchResult else
print("Fetch result is empty")
return
fetchResult.enumerateObjects(asset, index, stop in
tempArr.append(asset)
)
// self.assets = tempArr
self.imageManager.startCachingImages(for: tempArr, targetSize: PHImageManagerMaximumSize, contentMode: .aspectFill, options: nil)
tempArr.removeAll()
print("Asset count after initial fetch: \(self.assets?.count)")
DispatchQueue.main.async
// Reload collection view once we've determined our Photos permissions.
print("inside of main queue reload")
PHPhotoLibrary.shared().register(self)
self.collectionView.delegate = self
self.collectionView.dataSource = self
self.collectionView.reloadData()
else
print("photo access denied")
self.displayPhotoAccessDeniedAlert()
在cellForItemAt:
内部我运行以下代码
cellForItemAt
guard let fetchResult = self.fetchResult else
print("Fetch Result is empty")
return UICollectionViewCell()
let requestOptions = PHImageRequestOptions()
requestOptions.isSynchronous = false
requestOptions.deliveryMode = .highQualityFormat
//let scale = min(2.0, UIScreen.main.scale)
let scale = UIScreen.main.scale
let targetSize = CGSize(width: cell.bounds.width * scale, height: cell.bounds.height * scale)
// let asset = assets[indexPath.item]
let asset = fetchResult.object(at: indexPath.item)
let assetIdentifier = asset.localIdentifier
cell.representedAssetIdentifier = assetIdentifier
imageManager.requestImage(for: asset, targetSize: cell.frame.size,
contentMode: .aspectFill, options: requestOptions) (image, hashable) in
if let loadedImage = image, let cellIdentifier = cell.representedAssetIdentifier
// Verify that the cell still has the same asset identifier,
// so the image in a reused cell is not overwritten.
if cellIdentifier == assetIdentifier
cell.imageView.image = loadedImage
【问题讨论】:
PHImageManagerMaximumSize
的缓存似乎对内存不太友好。为什么细胞这么大?
@WarrenBurton 我正在使用这个苹果示例项目中显示的马赛克网格布局developer.apple.com/documentation/uikit/uicollectionview/… 我想让照片加载,这样它们就不会模糊,所以我认为增大目标尺寸会有所帮助但事实并非如此。无论如何,我尝试将大小设置为屏幕宽度的 1/3,但内存问题似乎仍然存在。有什么想法吗?
问题解决了吗?
【参考方案1】:
本周我在使用 Apple 代码时遇到了类似的问题,其他人可以参考这里Browsing & Modifying Photos
内存使用率非常高,然后如果查看单个项目并返回root,内存会激增,示例会崩溃。
因此,根据我们的实验,有一些调整可以提高性能。
首先为requestImage函数设置thumbnailSize时:
open func requestImage(for asset: PHAsset, targetSize: CGSize, contentMode: PHImageContentMode, options: PHImageRequestOptions?, resultHandler: @escaping (UIImage?, [AnyHashable : Any]?) -> Void) -> PHImageRequestID
我们像这样设置比例而不是使用全尺寸:
UIScreen.main.scale * 0.75
我们还将PHImageRequestOptions Resizing Mode
设置为.fast
。
除此之外,我们发现设置CollectionViewCell
的以下变量也有所帮助:
layer.shouldRasterize = true
layer.rasterizationScale = UIScreen.main.scale
isOpaque = true
我们还注意到ScrollViewwDidScroll
方法中的updateCachedAssets()
在此过程中发挥了一定作用,因此我们将其从回调中移除(无论对错)。
最后一件事是,我们为每个单元格保留了对 PHCachingImageManager
的引用,如果它存在,那么我们调用:
open func cancelImageRequest(_ requestID: PHImageRequestID)
因此这里是我们MediaCell
的代码:
extension MediaCell
/// Populates The Cell From The PHAsset Data
///
/// - Parameter asset: PHAsset
func populateCellFrom(_ asset: PHAsset)
livePhotoBadgeImage = asset.mediaSubtypes.contains(.photoLive) ? PHLivePhotoView.livePhotoBadgeImage(options: .overContent) : nil
videoDuration = asset.mediaType == .video ? asset.duration.formattedString() : ""
representedAssetIdentifier = asset.localIdentifier
/// Shows The Activity Indicator When Downloading From The Cloud
func startAnimator()
DispatchQueue.main.async
self.activityIndicator.isHidden = false
self.activityIndicator.startAnimating()
/// Hides The Activity Indicator After The ICloud Asset Has Downloaded
func endAnimator()
DispatchQueue.main.async
self.activityIndicator.isHidden = true
self.activityIndicator.stopAnimating()
final class MediaCell: UICollectionViewCell, Animatable
@IBOutlet private weak var imageView: UIImageView!
@IBOutlet private weak var livePhotoBadgeImageView: UIImageView!
@IBOutlet private weak var videoDurationLabel: UILabel!
@IBOutlet weak var activityIndicator: UIActivityIndicatorView!
didSet
activityIndicator.isHidden = true
var representedAssetIdentifier: String!
var requestIdentifier: PHImageRequestID!
var thumbnailImage: UIImage!
didSet
imageView.image = thumbnailImage
var livePhotoBadgeImage: UIImage!
didSet
livePhotoBadgeImageView.image = livePhotoBadgeImage
var videoDuration: String!
didSet
videoDurationLabel.text = videoDuration
//----------------
//MARK:- LifeCycle
//----------------
override func awakeFromNib()
layer.shouldRasterize = true
layer.rasterizationScale = UIScreen.main.scale
isOpaque = true
override func prepareForReuse()
super.prepareForReuse()
imageView.image = nil
representedAssetIdentifier = ""
requestIdentifier = nil
livePhotoBadgeImageView.image = nil
videoDuration = ""
activityIndicator.isHidden = true
activityIndicator.stopAnimating()
还有cellForItem
的代码:
override func collectionView(_ collectionView: UICollectionView, cellForItemAt indexPath: IndexPath) -> UICollectionViewCell
let asset = dataViewModel.assettAtIndexPath(indexPath)
let cell = collectionView.dequeueReusableCell(withReuseIdentifier: "mediaCell", for: indexPath) as! MediaCell
if let requestID = cell.requestIdentifier imageManager.cancelImageRequest(requestID)
cell.populateCellFrom(asset)
let options = PHImageRequestOptions()
options.resizeMode = .fast
options.isNetworkAccessAllowed = true
options.progressHandler = (progress, error, stop, info) in
if progress == 0.0
cell.startAnimator()
else if progress == 1.0
cell.endAnimator()
cell.requestIdentifier = imageManager.requestImage(for: asset, targetSize: thumbnailSize,
contentMode: .aspectFill, options: options,
resultHandler: image, info in
if cell.representedAssetIdentifier == asset.localIdentifier
cell.thumbnailImage = image
)
return cell
另外一个区域在 updateCachedAssets() 函数中。您正在使用:
self.imageManager.startCachingImages(for: tempArr, targetSize: PHImageManagerMaximumSize, contentMode: .aspectFill, options: nil)
最好在此处设置较小的尺寸,例如:
imageManager.startCachingImages(for: addedAssets,
targetSize: thumbnailSize, contentMode: .aspectFill, options: nil)
其中缩略图大小例如:
/// Sets The Thumnail Image Size
private func setupThumbnailSize()
let scale = isIpad ? UIScreen.main.scale : UIScreen.main.scale * 0.75
let cellSize = collectionViewFlowLayout.itemSize
thumbnailSize = CGSize(width: cellSize.width * scale, height: cellSize.height * scale)
所有这些调整都有助于确保内存使用保持公平不变,并且在我们的测试中确保没有抛出异常。
希望对你有帮助。
【讨论】:
感谢您非常彻底的回答以及在实施您的建议后的所有建议我仍然看到内存在增长并且照片仍然模糊但是我会说加载时间要快得多并且活动指示器很不错。我不确定您还建议做什么,这可能是照片库中的某种错误。是否存在某种类型的内存泄漏。非常感谢。 别担心,我添加了一个额外的调整,我在最后忘记了 ^_____^。是的,我认为这里存在某种错误。 非常感谢您的帮助。我在 iPhone 上运行它我尝试将所有单元格的比例设置为相同,我将它们缩放到屏幕的 1/3 大小,因此我将 1/3 宽度乘以 0.75 作为缩略图大小。你认为这可能与 ios 13 相关吗,也许是照片应用程序的更新?这刚刚开始给我带来图片模糊、响应缓慢和内存使用过多的麻烦。我不确定下一步该尝试什么? 我不能肯定。在我们结束时,现在一切正常 :) 抱歉,我无法再提供帮助了 :( @TheRedCamaro3.03.0 看起来缓存根本不是快速滚动的最佳方式以上是关于在 UICollectionView 中加载用户相册时内存增长失控的主要内容,如果未能解决你的问题,请参考以下文章
使用 dispatch_async 在 UICollectionView 中加载图片
如何在 iOS 的同一个 UICollectionView 中加载图像和视频