0

我在 UITableViewController 类中有一个 cellForRowAt indexPath 方法,我试图在其中解开变量“任务”(在另一个 .swift 文件中声明)。如果我用 if var 解开它,然后返回 if var 范围之外的单元格,我会收到“使用未解析的标识符‘cell’”错误,但如果我在 if var 范围内包含返回单元格,我会得到一个“预期返回 'UITableViewCell' 的函数中缺少返回”错误。我该如何解决?我只是在学习 Swift,所以任何帮助都将不胜感激。谢谢!

override func tableView(_ tableView: UITableView, cellForRowAt indexPath: IndexPath) -> UITableViewCell {
    if var tasks = exampleList.tasks {
        let cell = tableView.dequeueReusableCell(withIdentifier: "TaskCell", for: indexPath) as! TaskCell
        let task = tasks[indexPath.row]
            cell.task = task

        if cell.accessoryView == nil {
            let cb = CheckButton()
            cb.addTarget(self, action: #selector(buttonTapped(_:forEvent:)), for: .touchUpInside)
            cell.accessoryView = cb
        }

        let cb = cell.accessoryView as! CheckButton
        cb.check(tasks[indexPath.row].completed) //Replaced previous cb.check line with this per Stack Overflow James Baxter's advice

    }
    return cell
}
4

2 回答 2

0

您会收到此编译器错误,因为您cell在块内创建了变量if;如果未输入该块(如果exampleList.tasksis 就是这种情况nil),cell则创建 not ,因此无法从该方法返回。

要解决此问题,只需将创建单元格对象的行移到if块之前。或者,您还可以配置单元格以指示如果if未输入则不存在数据:

let cell = tableView.dequeueReusableCell(withIdentifier: "TaskCell", for: indexPath) as! TaskCell
if let tasks = exampleList.tasks {
  // configure cell with task
}
else {
  // configure cell WITHOUT task
}
return cell
于 2017-05-21T20:10:47.097 回答
0

我不确定这是否能解决你的问题,但你可以试试这个:

override func tableView(_ tableView: UITableView, cellForRowAt indexPath: IndexPath) -> UITableViewCell {
    var cell = UITableViewCell()
    if var tasks = exampleList.tasks {
        cell = tableView.dequeueReusableCell(withIdentifier: "TaskCell", for: indexPath) as! TaskCell
        let task = tasks[indexPath.row]
        cell.task = task

        if cell.accessoryView == nil {
            let cb = CheckButton()
            cb.addTarget(self, action: #selector(buttonTapped(_:forEvent:)), for: .touchUpInside)
            cell.accessoryView = cb
        }

        if let cb = cell.accessoryView as! CheckButton {
            cb.check(tasks[indexPath.row].completed) //Replaced previous cb.check line with this per Stack Overflow James Baxter's advice
        }

    }
    return cell
}

请记住,tableView 函数必须始终返回UITableViewCell对象,因此即使第一个if语句失败,您也必须提供有效的返回!阅读 Apple 关于可选值、展开等的文档。祝你好运!

于 2017-05-21T19:20:48.280 回答