如何使用'map'将领域集合更改通知映射到UITableview部分?

时间:2016-06-16 15:56:33

标签: ios swift uitableview realm

使用“map”与UITableView行进行映射时,

Realm Collection Notifications正常工作。如何通过将其映射到UITableView部分来实现相同目的。

对于行,我遵循以下代码:

notificationToken = results.addNotificationBlock { [weak self] (changes: RealmCollectionChange) in
  guard let tableView = self?.tableView else { return }
  switch changes {
  case .Initial:
    tableView.reloadData()
    break
  case .Update(_, let deletions, let insertions, let modifications):
    tableView.beginUpdates()
    tableView.insertRowsAtIndexPaths(insertions.map { NSIndexPath(forRow: $0, inSection: 0) },
      withRowAnimation: .Automatic)
    tableView.deleteRowsAtIndexPaths(deletions.map { NSIndexPath(forRow: $0, inSection: 0) },
      withRowAnimation: .Automatic)
    tableView.reloadRowsAtIndexPaths(modifications.map { NSIndexPath(forRow: $0, inSection: 0) },
      withRowAnimation: .Automatic)
    tableView.endUpdates()
    break
  case .Error(let error):
    // An error occurred while opening the Realm file on the background worker thread
    fatalError("\(error)")
    break
  }
}

对于部分,我使用:

tableview.beginUpdates()
                    for insertIndex in insertions {
                        tableview.insertSections(NSIndexSet(index: insertIndex), withRowAnimation: .Automatic)
                    }
                    for deleteIndex in deletions {
                        tableview.deleteSections(NSIndexSet(index: deleteIndex), withRowAnimation: .Automatic)
                    }
                    for reloadIndex in modifications {
                        tableview.reloadSections(NSIndexSet(index: reloadIndex), withRowAnimation: .Automatic)
                    }
                    tableview.endUpdates()

这很有效。

但我想了解'地图'以及如何使用它来绘制部分。

 tableView.insertSections(insertions.map { NSIndexSet(index: $0) }, withRowAnimation: .Automatic)

而且,

tableview.insertSections(insertions.map({ (index) -> NSIndexSet in
                        NSIndexSet(index: index)
                    }), withRowAnimation: .Automatic)

但是,两者都给了我同样的错误

  

'map'产生'[T]',而不是预期的上下文结果类型'NSIndexSet'

1 个答案:

答案 0 :(得分:3)

map通过将每个原始集合元素替换为该元素的映射版本来返回新集合。换句话说:

insertions.map { ...}

返回一个数组,而tableView.insertSections需要一个NSIndexSet参数。

你最接近的是:

for indexSet in insertions.map { NSIndexSet(index: $0) } {
    tableView.insertSections(indexSet, ...)
}

或者,您可以使用reduce创建一个NSIndexSet,它是各个元素的组合,如:

tableView.insertSections(insertions.reduce(NSMutableIndexSet()) {
    $0.addIndex($1)
    return $0
}, withRowAnimation: .Automatic)

但这似乎掩盖了代码而不是澄清代码。