#ios #swift #uitableview #uicollectionview
#iOS #swift #uitableview #uicollectionview
Вопрос:
Я хочу обнаружить нажатие на imageview в uicollectionviewcell внутри uitableviewcell
Я использую ответ api для создания данных в моем tableview
У меня есть этот ответ API:
{"status":1,"data":{"blocks":[{"name":"CustomBlock","description":"CustomDescription","itemsType":"game","items":[510234,78188,15719,37630]}], "items":[{"id:"1", name: "testgame"}]}
Блокирует ViewController.swift
class BlocksViewController: UIViewController, UITableViewDataSource, UICollectionViewDataSource, UICollectionViewDelegate, UITableViewDelegate {
var blocks = [Block]() // I'm getting blocks in this controller
var items : BlockItem! // and items
func collectionView(_ collectionView: UICollectionView, numberOfItemsInSection section: Int) -> Int {
return blocks[collectionView.tag].items.count
}
func collectionView(_ collectionView: UICollectionView, cellForItemAt indexPath: IndexPath) -> UICollectionViewCell {
guard let cell = collectionView.dequeueReusableCell(withReuseIdentifier: "GameCollectionCell", for: indexPath) as? GameCollectionCell else { return
UICollectionViewCell() }
if let found = items.game.first(where: {$0.id == String(blocks[collectionView.tag].items[indexPath.row])}) {
cell.gameName.text = found.name
cell.gameImage.kf.indicatorType = .activity
let processor = DownsamplingImageProcessor(size: CGSize(width: 225, height: 300))
cell.gameImage.kf.setImage(
with: URL(string: found.background_image ?? ""),
options: [
.processor(processor),
.scaleFactor(UIScreen.main.scale),
.transition(.fade(0.2)),
.cacheOriginalImage
])
}
else {
cell.gameName.text = ""
cell.gameImage.image = nil
}
return cell
}
func tableView(_ tableView: UITableView, numberOfRowsInSection section: Int) -> Int {
return blocks.count
}
func tableView(_ tableView: UITableView, cellForRowAt indexPath: IndexPath) -> UITableViewCell {
guard let cell = tableView.dequeueReusableCell(withIdentifier: "BlockCell") as? BlockCell else { return UITableViewCell() }
cell.blockName.text = blocks[indexPath.row].name
cell.blockDescription.text = blocks[indexPath.row].description
cell.setScrollPosition(x: offsets[indexPath] ?? 0)
cell.gameCollectionCell.delegate = self
cell.gameCollectionCell.dataSource = self
cell.gameCollectionCell.tag = indexPath.row
cell.gameCollectionCell.reloadData()
return cell
}
Я получаю блоки и элементы в этом контроллере. Теперь я хочу обнаружить нажатие с помощью LongTapGestureRecognizer на изображении в gamecollectionCell (UICollectionViewCell внутри BlockCell (tableViewCell). Как я могу это сделать? Или, может быть, какой-нибудь совет, как улучшить логику здесь?
Хорошо, я добавил распознаватель жестов, подобный этому, в cellForItemAt :
cell.addGestureRecognizer(UILongPressGestureRecognizer.init(target: self, action: #selector(addGamePopUp)))
Затем мне нужно анимировать uiimageview при длительном нажатии.
var selectedGameCell : GameCollectionCell?
func collectionView(_ collectionView: UICollectionView, didSelectItemAt indexPath: IndexPath) {
self.selectedGameCell = collectionView.dequeueReusableCell(withReuseIdentifier: "GameCollectionCell", for: indexPath) as? GameCollectionCell
}
И
@IBAction func addGamePopUp(_ sender: UILongPressGestureRecognizer) {
if (sender.state == UIGestureRecognizer.State.began){
UIView.animate(withDuration: 0.3, animations: {
self.selectedGameCell?.gameImage.transform = CGAffineTransform(scaleX: 0.95,y: 0.95);
}) { (Bool) in
UIView.animate(withDuration: 0.3, animations: {
self.selectedGameCell?.gameImage.transform = CGAffineTransform(scaleX: 1,y: 1);
});
}
}
}
Но это все равно не работает. Я что-то пропустил?
Комментарии:
1. используйте
delegated
дляdetect tab
перехода из ячейки UICollectionView в табличное представление
Ответ №1:
Если вы хотите использовать longTapGestureRecognizer, просто добавьте его в ячейку в вашем методе cellForItemAtIndexPath вашего CollectionView, например:
func collectionView(_ collectionView: UICollectionView, cellForItemAt indexPath: IndexPath) -> UICollectionViewCell {
if let cell = collectionView.dequeueReusableCell(withReuseIdentifier: "SubjectCellId", for: indexPath) as? SubjectCell {
cell.addGestureRecognizer(UILongPressGestureRecognizer.init(target: self, action: #selector(someMethod)))
return cell
}
return UICollectionViewCell()
}
Комментарии:
1. Спасибо, я обновил свои вопросы, не могли бы вы проверить это?
2. Ваш метод addGamePopup не является IBAction — IBAction запускаются interface builder (в вашем случае, вероятно, из вашей раскадровки) Я оставлю другой форматированный ответ, чтобы его было легче читать.
Ответ №2:
Вы можете использовать следующий метод делегирования uicollectionview для обнаружения нажатия на ячейку представления коллекции.
func collectionView(_ collectionView: UICollectionView, didSelectItemAt indexPath: IndexPath){
print("cell tapped")
}
Для добавления длинного нажатия добавьте следующий код в ячейку для элемента в методе indexpath:
func collectionView(_ collectionView: UICollectionView, cellForItemAt indexPath: IndexPath) -> UICollectionViewCell {
let cell : GameCollectionCell = collectionView.dequeueReusableCell(withReuseIdentifier: "Cell", for: indexPath) as! GameCollectionCell
cell.backgroundColor = model[collectionView.tag][indexPath.item]
let lpgr = UILongPressGestureRecognizer(target: self, action: #selector(addGamePopUp(_:)))
cell.addGestureRecognizer(lpgr)
return cell
}
@IBAction func addGamePopUp(_ sender: UILongPressGestureRecognizer){
print("add game popup")
if (sender.state == UIGestureRecognizer.State.began){
UIView.animate(withDuration: 0.3, animations: {
self.selectedGameCell?.gameImage?.transform = CGAffineTransform(scaleX: 0.95,y: 0.95);
}) { (Bool) in
UIView.animate(withDuration: 0.3, animations: {
self.selectedGameCell?.gameImage?.transform = CGAffineTransform(scaleX: 1,y: 1);
});
}
}
}
Комментарии:
1. Спасибо, но что, если я хочу использовать longtapgesturerecognizer, например?
2. Добавьте эти две строки в свой метод cellforitematindexpath: пусть lpgr = UILongPressGestureRecognizer(цель: self, действие: #селектор(addGamePopUp(_:))) ячейка.addGestureRecognizer(lpgr)
Ответ №3:
Вы можете использовать метод touchesBegan внутри ячейки tableview и из местоположения касания получить объект ячейки просмотра коллекции внутри него.
ПРИМЕЧАНИЕ: При реализации этого метода метод didSelectRow не будет вызываться для tableViewCell.
extension TableViewCell {
override func touchesBegan(_ touches: Set<UITouch>, with event: UIEvent?) {
if let touch = touches.first {
let point = touch.location(in: self)
if let path = collectionView.indexPathForItem(at: point) {
//Get cell of collection view from this index path
}
}
}
}
Ответ №4:
Чтобы все заработало, я бы рекомендовал изменить вашу функцию с
@IBAction func addGamePopUp(_ sender: UILongPressGestureRecognizer) {
Для
@objc func addGamePopUp() {
И когда вы добавляете longTapGestureRecognizer в свою CollectionViewCell, он запускает этот метод, изменяя строку на:
cell.addGestureRecognizer(UILongPressGestureRecognizer.init(target: self, action: #selector(addGamePopUp)))
Дайте мне знать, если это сработает!
(psst: также удалите это, если проверьте свой addGamePopupMethod, если вы идете по этому маршруту)
if (sender.state == UIGestureRecognizer.State.began){