我正在尝试在表格视图中添加一些行。当在屏幕上的行上方插入行时,表格视图会跳起来。我希望我的表格视图保持在上面插入行时的位置。请记住:tableView跳转到显示的indexPath,但是在上面添加了行之后,底部的行indexPaths发生了变化,而新的第n个indexPath是其他内容。
最佳答案
不幸的是,这并不像人们想象的那么容易。当您在顶部添加单元格时,表格视图会跳转,因为偏移量会持久存在并更新单元格。因此,从某种意义上说,并不是表视图在跳动,而是单元格在跳动,因为您在顶部添加了一个新的有意义。您要做的是使表视图与添加的单元格一起跳转。
我希望您具有固定或计算的行高,因为使用自动尺寸标注会使事情变得相当复杂。具有与行的实际高度相同的估计高度很重要。就我而言,我只是使用了:
func tableView(_ tableView: UITableView, heightForRowAt indexPath: IndexPath) -> CGFloat {
return 72.0
}
func tableView(_ tableView: UITableView, estimatedHeightForRowAt indexPath: IndexPath) -> CGFloat {
return 72.0
}
然后出于测试目的,每当按下任何一个单元格时,我都会在其顶部添加一个新单元格:
func tableView(_ tableView: UITableView, didSelectRowAt indexPath: IndexPath) {
var offset = tableView.contentOffset.y
cellCount += 1
tableView.reloadData()
let paths = [IndexPath(row: 0, section: 0)]
paths.forEach { path in
offset += self.tableView(tableView, heightForRowAt: path)
}
DispatchQueue.main.async {
tableView.setContentOffset(CGPoint(x: 0.0, y: offset), animated: false)
}
}
因此,我保存表视图的当前偏移量。然后,我修改数据源(我的数据源仅显示单元格数)。然后,只需重新加载表视图即可。
我抓住所有已添加的索引路径,并通过添加每个添加的单元格的期望高度来修改偏移量。
最后,我应用新的内容偏移量。在下一个运行循环中执行此操作很重要,这是通过在主队列上异步调度它来轻松实现的。
至于自动尺寸。
我不会去那里,但是拥有大小缓存应该很重要。
private var sizeCache: [IndexPath: CGFloat] = [IndexPath: CGFloat]()
然后,当单元消失时,您需要填充大小缓存:
func tableView(_ tableView: UITableView, didEndDisplaying cell: UITableViewCell, forRowAt indexPath: IndexPath) {
sizeCache[indexPath] = cell.frame.size.height
}
并更改估计高度:
func tableView(_ tableView: UITableView, estimatedHeightForRowAt indexPath: IndexPath) -> CGFloat {
return sizeCache[indexPath] ?? 50.0
}
另外,在修改偏移量时,您需要使用估算的高度:
paths.forEach { path in
offset += self.tableView(tableView, estimatedHeightForRowAt: path)
}
这适用于我的情况,但是自动标注有时会很棘手,因此祝他们好运。
关于ios - 当我在屏幕上的indexPaths上方插入行时,UITableView会跳起来,我们在Stack Overflow上找到一个类似的问题:https://stackoverflow.com/questions/54070173/