所以我有最奇怪的事情;
我正在循环tableView以迭代所有单元格。它可以在少于5个单元格的情况下正常工作,但是出现了“#34;意外发现nil"更多的细胞。这是代码:
for section in 0..<tableView.numberOfSections {
for row in 0..<tableView.numberofRowsInSection(section) {
let indexPath = NSIndexPath(forRow: row, inSection: section)
let cell = tableView?.cellForRowAtIndexPath(indexPath) as? MenuItemTableViewCell
// extract cell properties
最后一行是给出错误的那一行。
有什么想法吗?
答案 0 :(得分:8)
因为单元格被重用,所以只有当给定indexPath的单元格当前可见时,cellForRowAtIndexPath才会为您提供单元格。它由可选值表示。如果你想防止崩溃,你应该使用if
if let cell = tableView?.cellForRowAtIndexPath(indexPath) as? MenuItemTableViewCell {
// Do something with cell
}
如果要更新单元格中的值,则单元格应更新dataSource项目。例如,您可以为该
创建委托protocol UITableViewCellUpdateDelegate {
func cellDidChangeValue(cell: UITableViewCell)
}
将代理添加到您的单元格,并假设我们在此单元格中有一个textField。我们为EditingDidChange事件的didCHangeTextFieldValue:
添加了目标,因此每次用户在其中键入somethink时都会调用它。当他这样做时,我们会调用委托函数。
class MyCell: UITableViewCell {
@IBOutlet var textField: UITextField!
var delegate: UITableViewCellUpdateDelegate?
override func awakeFromNib() {
textField.addTarget(self, action: Selector("didCHangeTextFieldValue:"), forControlEvents: UIControlEvents.EditingChanged)
}
@IBAction func didCHangeTextFieldValue(sender: AnyObject?) {
self.delegate?.cellDidChangeValue(cell)
}
}
然后在cellForRowAtIndexPath
中添加代理
func tableView(tableView: UITableView, cellForRowAtIndexPath indexPath: NSIndexPath) -> UITableViewCell {
let cell = tableView.dequeueReusableCellWithIdentifier("MyCellIdentifier", forIndexPath: indexPath)
cell.delegate = self
return cell
}
最后我们实现了委托方法:
func cellDidChangeValue(cell: UITableViewCell) {
guard let indexPath = self.tableView.indexPathForCell(cell) else {
return
}
/// Update data source - we have cell and its indexPath
}
希望有所帮助