在使用大量的 UITableViewCell 或 UICollectionViewCell 时候,如果快速的滚动有时候可以看到屏幕会有一些卡顿(掉帧)现象,特别是iOS系统版本低的设备越发的明显。以下是一些自己的开发总结:
如果 Cell 的高度是确定的,那么就直接设置 height = xyz 就好了,这样就不用每次计算了
在 Cell 内,如果需要显示网络下载的图片,最好可以添加一下图片缓存,这样当下一次滚动到原来的 Cell 的时候就可以使用缓存的图片了。下面是一个使用 KingFisher 的示例:
if let url = URL(string: urlString) {
let resourcce = ImageResource(downloadURL: url, cacheKey: url.absoluteString)
cell?.imageView.kf.setImage(with: resourcce,
placeholder: nil,
options: [.transition(.fade(1))],
progressBlock: nil,
completionHandler: nil)
}
- 在 Cell 内的内容赋值的时候最好直接赋值,不要有过多的计算。 比如 Cell 有一个 dateLabel ,它显示的是一个时间,此时在赋值的时候就不要各种时间转换处理了, 如下就是 不好的示例:
func collectionView(_ collectionView: UICollectionView, cellForItemAt indexPath: IndexPath) -> UICollectionViewCell {
let cell = collectionView.dequeueReusableCell(withReuseIdentifier: "identifier", for: indexPath)
if let cell = cell as? YourCustomCell {
let start = yourModel.startDate.doubleValue
let end = yourModel.endDate.doubleValue
let formatter = DateFormatter()
formatter.dateStyle = .medium
formatter.timeStyle = .short
formatter.dateFormat = "yyyy年MM月dd日"
let startString = formatter.string(from: Date(timeIntervalSince1970: start))
let endString = formatter.string(from: Date(timeIntervalSince1970: end))
cell.dateLabel?.text = "\(startTime) - \(endTime)"
}
return cell
}
最好是能够:
func collectionView(_ collectionView: UICollectionView, cellForItemAt indexPath: IndexPath) -> UICollectionViewCell {
let cell = collectionView.dequeueReusableCell(withReuseIdentifier: "identifier", for: indexPath)
if let cell = cell as? YourCustomCell {
cell.dateLabel?.text = yourModel.dateText
}
return cell
}
把需要计算的内容在赋值前计算好(比如在取出 model 的 json 数据的时候计算)
如果 UICollectionView 或者 UITableView 有 加载更多的功能, 此时如果有新数据的时候,最好是更新新增的数据部分,而不要直接调用 reloadData 方法
由于视图内容的更新需要在 主线程 处理,所以假如有大量的 label 的话在一些低版本的设备上还是会有一点卡顿现象的。此时你可以使用 YYText 它能够支持高性能的异步排版和渲染,当然它需要的是你手动布局Cell,会费一些时间,但是对低版本的iOS设备还是有不错的效果的。在实际的iOS开发中,我的测试情况是如果使用的是 iPhone 6S iOS 10.3 的或者 iPhone 5C iOS 8.4 设备在 Label 数不多的情况优化的效果不是很明显(我使用的是3个label, label 数字总共50个字左右)。如果你有大量的Label 字数的时候, 在快速滚动的情况在低版本的iOS设备上效果还是不错的。(iOS设备和版本越低越明显)具体可查看 ibireme, iOS 保持界面流畅的技巧
总结:
实际情况如果完成 1-4 步, 其实应用的卡顿现象就不是很明显了,即使卡顿也是快速滚动的情况有时候会掉 1-2 帧,几乎看不出来。而且随着iOS设备的性能越来越强大,有一些优化的效果不是非常明显的。
还有一个Facebook的开源项目 AsyncDisplayKit, 能够实现非常顺畅的滚动效果。
最后,过早的优化是没必要的,最好是快速正确的实现功能。