我正在运行非常简单的代码来更新单元格的背景颜色,但是更多的单元格正在更新。
override func viewDidLoad(){
super.viewDidLoad()
// getting images from library
images = PHAsset.fetchAssetsWithMediaType(.Image, options: nil)
collectionView.allowsMultipleSelection = false
var nipName2 = UINib(nibName: "CollectionViewCell", bundle:nil)
collectionView.registerNib(nipName2, forSupplementaryViewOfKind: UICollectionElementKindSectionHeader, withReuseIdentifier: "HeaderCell")
var nipName = UINib(nibName: "MyViewCell", bundle:nil)
collectionView.registerNib(nipName, forCellWithReuseIdentifier: "Cell")
}
func numberOfSectionsInCollectionView(collectionView: UICollectionView) -> Int {
return 1
}
func collectionView(collectionView: UICollectionView, numberOfItemsInSection section: Int) -> Int {
return images.count
}
func collectionView(collectionView: UICollectionView, cellForItemAtIndexPath indexPath: NSIndexPath) -> UICollectionViewCell{
var cell = collectionView.dequeueReusableCellWithReuseIdentifier("Cell", forIndexPath: indexPath) as! MyViewCell
cell.frame.size.width = 60
return cell
}
func collectionView(collectionView: UICollectionView, viewForSupplementaryElementOfKind kind: String, atIndexPath indexPath: NSIndexPath) -> UICollectionReusableView{
switch kind
{
case UICollectionElementKindSectionHeader:
let headerView = collectionView.dequeueReusableSupplementaryViewOfKind(kind, withReuseIdentifier: "HeaderCell", forIndexPath: indexPath) as! CollectionViewCell
return headerView
default:
assert(false, "Unexpected element kind")
}
}
func collectionView(collectionView: UICollectionView, didSelectItemAtIndexPath indexPath: NSIndexPath)
{
var cell = collectionView.cellForItemAtIndexPath(indexPath)
cell?.backgroundColor = UIColor.redColor()
}
我有大约300个不同的细胞。我想更新第三个但随机更多其他单元格的背景更改。
答案 0 :(得分:2)
因此,集合和表视图具有强大的视图重用概念。这样可以获得较大的性能提升,因为它不必同时将[在您的情况下] 300个单元保留在内存中。
在某些单元格上设置背景颜色时,这些单元格有可能在滚动时重复使用。由于您没有在显示的视图上明确设置背景,因此它只使用当前的任何内容。
要解决此问题,只需在请求视图时设置颜色:
func collectionView(collectionView: UICollectionView, cellForItemAtIndexPath indexPath: NSIndexPath) -> UICollectionViewCell{
// This does not guarantee to be a fresh, new cell, can be reused
var cell = collectionView.dequeueReusableCellWithReuseIdentifier("Cell", forIndexPath: indexPath) as! MyViewCell
cell.frame.size.width = 60
// Explicitly set the background color:
cell.backgroundColor = .whiteColor() // or whatever your default color is
return cell
}
现在很明显这会引起额外的副作用。假设您将单元格的背景颜色更改为红色并滚动。当你回来时,你现在将它恢复为白色。话虽这么说,你需要跟踪哪些单元格(可能通过存储它们的索引)被选中并适当地设置它们的颜色。