Обновление или перезагрузка данных только по одному объекту внутри collectionViewCell - PullRequest
0 голосов
/ 25 января 2019

я пытаюсь обновить только один объект внутри моего costumViewCell, я пробовал collectionView.reloadItems(at: [IndexPath]), но этот метод обновляет всю мою ячейку, что приводит к очень дрожащей анимации.

вот пример кода моей ячейки collectionView,

class MyCollectionViewCell: UICollectionViewCell {


    @IBOutlet weak var buttonA: UIButton!
    @IBOutlet weak var buttonB: UIButton!


    var myButtonTitle: String? {
        didSet{
            if let title = myButtonTitle {
                self.buttonA.setTitle(title, for: .normal)
            }
        }
    }

    var buttonActionCallBack: (()->()?)

    override func awakeFromNib() {
        super.awakeFromNib()
        self.animation()

        buttonA.addTarget(self, action: #selector(buttonACallBack), for: .touchUpInside)
    }


    @objc fileprivate func buttonACallBack() {
        self.buttonActionCallBack?()
    }


    fileprivate func animation() {
        UIView.animate(withDuration: 1.0) {
            self.buttonA.transform = CGAffineTransform(translationX: 20, y: 20)
            self.buttonB.transform = CGAffineTransform(translationX: 20, y: 20)
        }
    }
}

вот мой метод DataSource.

func collectionView(_ collectionView: UICollectionView, cellForItemAt indexPath: IndexPath) -> UICollectionViewCell {
    let cell = collectionView.dequeueReusableCell(withReuseIdentifier: "Cell", for: indexPath) as! MyCollectionViewCell

    let item = mainList[indexPath.row]

    collectionView.reloadItems(at: <#T##[IndexPath]#>)
    cell.buttonActionCallBack = {
        () in
        //Do Stuff and Update Just ButtonA Title
    }
    return cell
}

веселит.

1 Ответ

0 голосов
/ 25 января 2019

Анимация дрожания происходит из-за этой строки collectionView.reloadItems(at: [IndexPath]), написанной внутри cellForItemAt, что является действительно неправильным подходом, потому что cellForItemAt, вызываемый много раз, приводит к бесконечному циклу перезагрузки IndexPath.Вместо этого вы просто перезагружаете только ту часть, которая необходима, когда происходит действие.

func collectionView(_ collectionView: UICollectionView, cellForItemAt indexPath: IndexPath) -> UICollectionViewCell {
        let cell = collectionView.dequeueReusableCell(withReuseIdentifier: "Cell", for: indexPath) as! MyCollectionViewCell
        let item = mainList[indexPath.row]
        //collectionView.reloadItems(at: <#T##[IndexPath]#>) #removed
        cell.buttonActionCallBack = {
            () in
            //Do Stuff and Update Just ButtonA Title
            collectionView.reloadItems(at: [indexPath]) //Update after the change occurs to see the new UI updates
        }
        return cell
    }
...