我正在尝试在Swift中创建一个非常基本的集合视图控制器,允许我列出一些数字,当我点击其中一个时,它会带我到一个详细页面,只是简单地说(在标签中)你是什么号码窃听。
故事板: 我的故事板有一个导航控制器作为根,一个集合视图控制器被加载。这包含一个具有单元标识符的单元格。此单元格有一个按钮,用作细节页面的segue。我已经指定了数据源指向自身(控件点击了视图控制器的行以建立数据源)并且我已经将segue唯一地标识为showDetail。
当我加载应用程序时,它会显示我的按钮7次,但当我点击其中任何一个时,我会在下面的行中获得一个超出范围的索引:
这是我的代码:
导入基金会 导入UIKit
class WeekCollectionView : UICollectionViewController
{
override func collectionView(collectionView: UICollectionView!, numberOfItemsInSection section: Int) -> Int
{
return 7
}
override func collectionView(collectionView: UICollectionView!, cellForItemAtIndexPath indexPath: NSIndexPath!) -> UICollectionViewCell!
{
let cell: ShiftCell = collectionView.dequeueReusableCellWithReuseIdentifier("cell", forIndexPath: indexPath) as ShiftCell
return cell;
}
override func prepareForSegue(segue: UIStoryboardSegue!, sender: AnyObject!)
{
if (segue.identifier == "showDetail") {
**//CRASHES ON THIS LINE BELOW FOR THE ARRAY [0]**
let indexPaths: NSArray = self.collectionView.indexPathsForSelectedItems()[0] as NSArray
let destinationViewController = segue.destinationViewController as DetailViewController
//var someNumber = images[indexPath.row]
destinationViewController.mySpecialID = 1 //replace this with someNumber, always set 1 for now as a test
}
}
}
我的细胞类(上图)很简单:
class ShiftCell: UICollectionViewCell {
init(frame: CGRect) {
super.init(frame: frame)
}
init(coder aDecoder: NSCoder!) {
super.init(coder: aDecoder)
}
}
我真的不确定我做错了什么 - 也许在我的故事板中还有其他事情需要发生?我按照苹果的教程(在objective-c中)完美地工作,如果我没有弄错的话,所有代码都是相同的!
我真的被困在这里,非常感谢,如果有人能指出我正确的方向! :)
答案 0 :(得分:0)
您收到此次崩溃是因为没有选定的项目。您在单元格顶部有一个按钮,阻止触摸到达单元格以实际选择它。您将不得不想出一种不同的方法来识别每个按钮所代表的行。一种常见的模式是使用按钮的tag
属性。这可以存储任意整数,以帮助您识别视图。
因此,在collectionView:cellForItemAtIndexPath
中,您应该将按钮的标记设置为当前索引:
override func collectionView(collectionView: UICollectionView!, cellForItemAtIndexPath indexPath: NSIndexPath!) -> UICollectionViewCell!
{
let cell: ShiftCell = collectionView.dequeueReusableCellWithReuseIdentifier("cell", forIndexPath: indexPath) as ShiftCell
cell.myButton.tag = indexPath.item
return cell;
}
然后我相信segue的sender
将成为按钮。您可以从中获取索引:
override func prepareForSegue(segue: UIStoryboardSegue!, sender: AnyObject!)
{
if (segue.identifier == "showDetail") {
var possibleIndex : Int?
if let button = sender as? UIButton {
possibleIndex = button.tag
}
if let index = possibleIndex {
// ...
}
}
}
注意:我并不认为发件人会成为按钮,因为我通常在没有故事板的情况下通过代码执行操作。如果发件人不是按钮,您可以随时使用旧时尚方式"并从Storyboard将按钮挂钩到视图控制器上的方法,而不是使用segue。然后,您可以在代码中创建新控制器,然后根据需要显示它。