Swift nil合并运算符与数组

时间:2018-05-14 21:02:20

标签: arrays swift null coalescing

我正在尝试创建一个简单的待办事项列表。 在介绍Realm或coreData之前,我想测试它,看看是否一切顺利。

我知道我可以用一些 if条件来完成这项工作,但我希望能够使用 nil coalescing 运算符(我只是喜欢它的简单性) ),我不确定为什么它不起作用。

我没有它就让它工作,但真正感兴趣的是它的行为是什么原因。

当我启动应用程序时,它只显示"没有添加类别" 即使我将一些项目添加到数组并打印出来之后,列表保持不变。

import UIKit

class CategoriesTableView: UITableViewController {

  var testData = [FauxData]()

  override func viewDidLoad() {

    super.viewDidLoad()
    tableView.reloadData()

  }

  // MARK: - Data Methods

  override func tableView(_ tableView: UITableView, cellForRowAt indexPath: IndexPath) -> UITableViewCell {
    let cell = tableView.dequeueReusableCell(withIdentifier: "Cell", for: indexPath)

    let data = testData[indexPath.row].categoryTitle ?? "No Category Added"
    cell.textLabel?.text = data

    return cell
  }

  override func tableView(_ tableView: UITableView, numberOfRowsInSection section: Int) -> Int {
    return testData.count
  }

  @IBAction func addItem(_ sender: UIBarButtonItem) {
  CreateNewItem(item: "test")
  tableView.reloadData()
  }

  func CreateNewItem(item: String) {
    let newItem = FauxData()
    newItem.categoryTitle = item
    testData.append(newItem)
    print(item)
  }

}

这是FauxData类:

class FauxData {
  var categoryTitle: String?
}

如果这太简单或重复,我就无法找到并给出适当的答案。

1 个答案:

答案 0 :(得分:1)

不幸的是,索引空数组会导致崩溃而不是返回nil,因此您无法使用 nil合并运算符。相反,请使用.isEmpty属性和?:运算符来实现您的目标:

override func tableView(_ tableView: UITableView, cellForRowAt indexPath: IndexPath) -> UITableViewCell {
    let cell = tableView.dequeueReusableCell(withIdentifier: "Cell", for: indexPath)

    let data = testData.isEmpty ? "No Category Added" : testData[indexPath.row].categoryTitle
    cell.textLabel?.text = data

    return cell
}

override func tableView(_ tableView: UITableView, numberOfRowsInSection section: Int) -> Int {
    return testData.isEmpty ? 1 : testData.count
}

注意:当数组为空时,您必须从1返回tableView(_:numberOfRowsInSection:),以便调用tableView(_:cellForRowAt:)来返回默认消息。

如果您实施safe array indexing,则可以使用 nil合并运算符

override func tableView(_ tableView: UITableView, cellForRowAt indexPath: IndexPath) -> UITableViewCell {
    let cell = tableView.dequeueReusableCell(withIdentifier: "Cell", for: indexPath)

    let data = testData[safe: indexPath.row]?.categoryTitle ?? "No Category Added"
    cell.textLabel?.text = data

    return cell
}

override func tableView(_ tableView: UITableView, numberOfRowsInSection section: Int) -> Int {
    return testData.isEmpty ? 1 : testData.count
}