Как вставить новый UICollectionViewController в navigationController внутри ячейки ячеек ячеек - PullRequest
0 голосов
/ 06 января 2019

Я программно создал UICollectionViewController, который возвращает 4 ячейки. HomeCell, TrendingCell, SubscriptionCell и AccountCell. Все 4 ячейки должны быть разными, и вы можете прокручивать их по горизонтали. <--->.

class HomeController: UICollectionViewController, UICollectionViewDelegateFlowLayout{



    override func viewDidLoad() {
        super.viewDidLoad()
        
         collectionView?.register(HomeCell.self, forCellWithReuseIdentifier: homeCellId)
        collectionView?.register(TrendingCell.self, forCellWithReuseIdentifier: trendingCellId)
        collectionView?.register(SubscriptionCell.self, forCellWithReuseIdentifier: subscriptionCellId)
        collectionView?.register(AccountCell.self, forCellWithReuseIdentifier: accountCellId)
        
        }
        
        
        
 }

Давайте возьмем первую ячейку HomeController под названием HomeCell, чтобы проиллюстрировать мою проблему. Homecell имеет три пользовательских ячейки, называемые VideoCell, CategoryCell и UserSearchCell.

class HomeCell: UICollectionViewCell, UICollectionViewDataSource, UICollectionViewDelegate, UICollectionViewDelegateFlowLayout {

    
    let cellId = "cellId"
    let searchId = "sarchId"
    let scrollId = "scrollId"
    
    
    
    lazy var collectionView: UICollectionView = {
        let layout = UICollectionViewFlowLayout()
        let cv = UICollectionView(frame: .zero, collectionViewLayout: layout)
        cv.backgroundColor = UIColor.white
        cv.dataSource = self
        cv.delegate = self
        return cv
    }()
    
    
      override func setupViews() {
        super.setupViews()
  .....

// register  three different cells within HomeCell
        collectionView.register(VideoCell.self, forCellWithReuseIdentifier: cellId)
        collectionView.register(CategoryCell.self, forCellWithReuseIdentifier: scrollId)
        collectionView.register(UserSearchCell.self, forCellWithReuseIdentifier: searchId) //
        
        
    }
    
    
    
        required init?(coder aDecoder: NSCoder) {
        fatalError("init(coder:) has not been implemented")
    }
}
    

В HomeCell я регистрирую UserSearchCell в качестве третьей ячейки.

 func collectionView(_ collectionView: UICollectionView, cellForItemAt indexPath: IndexPath) -> UICollectionViewCell {
       
     
        if indexPath.item == 0 {
            
              cell = collectionView.dequeueReusableCell(withReuseIdentifier: "videoId", for: indexPath)
        } else if indexPath.item == 1{
            
            cell = collectionView.dequeueReusableCell(withReuseIdentifier: categoryId, for: indexPath)
            
        }else {
            
            cell = collectionView.dequeueReusableCell(withReuseIdentifier: searchId, for: indexPath)
           
        }
        
        
        return cell
        
    }

Если я нажму на этот элемент, моя цель - вставить новый ViewController в navigationController. Но у меня нет доступа и я не знаю, как изменить представление внутри этой вложенной структуры. Я попробовал метод didSelectItem в классе HomeCell и смог напечатать что-то на консоли при нажатии на третью ячейку, но не смог изменить представление.

class HomeCell: UICollectionViewCell, UICollectionViewDataSource, UICollectionViewDelegate, UICollectionViewDelegateFlowLayout {


func collectionView(_ collectionView: UICollectionView, didSelectItemAt indexPath: IndexPath) {
        if indexPath.item == 2 {
            
        print(123)
        
        }
        
        ....
        
   }

Пожалуйста, помогите. Есть ли способ изменить представление внутри метода didSelectItem HomeCell ??

1 Ответ

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

Вам необходимо написать протокол для обращения к вашему HomeController.

protocol HomeCellProtocol {
    func pushNavigation(_ vc: UIViewController)
}

добавить свойство записи делегата в класс HomeCell с помощью

class HomeCell: ..... {
    var delegate: HomeCellProtocol?
}

и заставить HomeController подтвердить HomeCellProtocol с помощью

extention HomeController: HomeCellProtocol {
    func pushNavigation(_ vc: UIViewController) {
        self.navigationController?.pushViewController(vc, animated: true)
    }
}

и когда вы настраиваете HomeCell, вам нужно настроить делегата в HomeController

func collectionView(_ collectionView: UICollectionView, cellForItemAt indexPath: IndexPath) -> UICollectionViewCell {
    cell = collectionView.dequeueReusableCell(withReuseIdentifier: homeCellId, for: indexPath) as HomeCell;
    cell.delegate = self // Set the delegate
    return cell
}

наконец, вы можете вызвать функцию push в HomeCell с помощью

func collectionView(_ collectionView: UICollectionView, didSelectItemAt indexPath: IndexPath) {
    if indexPath.item == 2 {
        let vc = UIViewController();
        self.delegate?.pushNavigation(vc);
    }
}
Добро пожаловать на сайт PullRequest, где вы можете задавать вопросы и получать ответы от других членов сообщества.
...