Отображение подробного представления из списка фильмов в нескольких UICollectionViews - PullRequest
0 голосов
/ 30 апреля 2018

У меня есть несколько UICollectionViews (4, если быть точным) в одном ViewController. Я сделал контейнерное представление для каждой «строки», которая состоит из Title и UICollectionView. Я сделал Segue от каждого UICollectionViewCell до контроллера представления подробностей и дал им идентификатор. Но я не понимаю, как получить мой объект Movie из контейнера на страницу с подробностями.

override func prepare(for segue: UIStoryboardSegue, sender: Any?) {
    if (segue.identifier == "MovieDetailsPlaying"){
        var destination = segue.destination as! DetailMovieController
        destination.item = containerNowPlayingView.movies[IndexPath]
    }
}

Все, что мне нужно, чтобы решить эту проблему, - это выяснить, как получить IndexPath в функции подготовки к Segue во ViewController. Я надеюсь, что вы сможете мне помочь.

Я уже нашел такие ответы: Ответ один

My Segue's

2 of the 4 horizontal UICollectionViews

1 Ответ

0 голосов
/ 01 мая 2018

Учитывая, что вы не показали, какой тип ячейки вы используете внутри cellForItemAt indexPath Мне пришлось кое-что придумать, чтобы вам стало ясно. Я также не знаю, что вы имеете в виду, имея 4 представления коллекций, но это один из способов передачи данных из collectionViewCell в контроллер представления назначения через prepareForSegue с использованием 1 collectionView.

Внутри preparForSegue вам нужно 3 вещи:

1 - вам нужно знать тип ячейки, которую вы используете в cellForItemAt indexPath. Для этого примера я использовал класс ячейки с именем MovieCell

2 - вам нужно получить indexPath выбранной строки. В CollectionView есть метод с именем indexPath (for :), который принимает collectionViewCell в качестве аргумента: collectionView.indexPath(for: UICollectionViewCell)

3- Получить информацию из массива, соответствующего выбранной строке.

Например, у вас есть класс MovieDataModel со свойством movieName:

class MovieDataModel{
    var movieName: String?
}

Ячейка collectionView называется MovieCell, и в ней есть выход movieTitleLabel:

class DetailedSearchComplaintCollectionCell: UICollectionViewCell {
    @IBOutlet weak var movieTitleLabel: UILabel!
}

Внутри класса с вашим CollectionView:

@IBOutlet weak var collectionView: UICollectionView! // in this example there is only 1 collectionView
let movies = [MovieDataModel]() // an array of MovieDataModels

func collectionView(_ collectionView: UICollectionView, numberOfItemsInSection section: Int) -> Int {
    return movies.count // return the number of items inside the movies array
}

func collectionView(_ collectionView: UICollectionView, cellForItemAt indexPath: IndexPath) -> UICollectionViewCell {

     let cell = collectionView.dequeueReusableCell(withReuseIdentifier: "movieCell", for: indexPath) as! MovieCell // cast the cell as a MovieCell
     cell.movieTitleLabel.text = movies[indexPath.row].movieName! // this is the same info we need for the 3rd step

     return cell
}

                                                 // sender parameter <<<
override func prepare(for segue: UIStoryboardSegue, sender: Any?) {

    if (segue.identifier == "MovieDetailsPlaying"){

       // From the steps above
       let cell = sender as! MovieCell // 1- the same exact type of cell used in cellForItemAt indexPath. Access it using the sender parameter in the prepareFoeSegue signature and then cast it as a MovieCell
       let indexPath = collectionView.indexPath(for: cell) // 2- get the indexPath from the row that was tapped. Add the cell from step 1 as an argument to it. Notice it says collectionView because that's the name of the collectionView outlet. I'm not sure how this would work with 4 different collectionViews but you probably will have to make an indexPath for each one. Just an assumption

       var destination = segue.destination as! DetailMovieController
       destination.item = movies[indexPath!.row].movieName // 3- what MoviesDataModel item from inside the movies array and the title from it corresponds to the indexPath (the tapped row).
    }
}

Я не знаю имя используемой вами ячейки collectionView, но внутри класса с collectionView везде, где вы видите имя MovieCell, просто измените его на любое имя ячейки, которое вы используете.

Добро пожаловать на сайт PullRequest, где вы можете задавать вопросы и получать ответы от других членов сообщества.
...