我一直在查看NSTableView
moveRowAtIndex:toIndex
方法,以便为表格中的行设置动画。根据我的判断,它对排序并不是很有帮助。我对它是如何工作的解释是,如果我想将第0行移动到第4行,那么它们之间的行将被适当地处理。但是,如果我有一个带有支持它的数组的表视图,然后我对数组进行排序,我希望表视图从旧状态动画到新状态。我不知道哪些项目是那些移动的项目与那些移动以容纳移动项目的项目。
示例:
[A,B,C,D] --> [B,C,D,A]
我知道第0行移到第3行,所以我会说[tableView moveRowAtIndex:0 toIndex:3]
。但是,如果我对[A,B,C,D]应用一些自定义排序操作使它看起来像[B,C,D,A],我实际上并不知道第0行移动到第3行而不是行1,2和3移动到行0,1和2.我认为我应该能够指定所有的移动(第0行移动到第4行,第1行移动到第0行,等等)但是当我尝试时,动画看起来并不正确。
有更好的方法吗?
编辑:我找到了this site,这似乎做了我想要的事情,但对于一些应该简单的事情似乎有点多(至少我觉得应该很简单)
答案 0 :(得分:5)
moveRowAtIndex:toIndex的文档说:“更改会在发送到表格时逐步发生”。
从ABCDE到ECDAB的转换可以很好地说明“递增”的重要性。
如果你只考虑初始和最终索引,它看起来像:
E: 4->0
C: 2->1
D: 3->2
A: 0->3
B: 1->4
但是,在逐步执行更改时,“初始”索引可以在转换数组时跳转:
E: 4->0 (array is now EABCD)
C: 3->1 (array is now ECABD)
D: 4->2 (array is now ECDAB)
A: 3->3 (array unchanged)
B: 4->4 (array unchanged)
基本上,您需要逐步告知NSTableView需要移动哪些行才能到达与排序数组相同的数组。
这是一个非常简单的实现,它采用任意排序的数组并“重放”将原始数组转换为排序数组所需的移动:
// 'backing' is an NSMutableArray used by your data-source
NSArray* sorted = [backing sortedHowYouIntend];
[sorted enumerateObjectsUsingBlock:^(id obj, NSUInteger insertionPoint, BOOL *stop) {
NSUInteger deletionPoint = [backing indexOfObject:obj];
// Don't bother if there's no actual move taking place
if (insertionPoint == deletionPoint) return;
// 'replay' this particular move on our backing array
[backing removeObjectAtIndex:deletionPoint];
[backing insertObject:obj atIndex:insertionPoint];
// Now we tell the tableview to move the row
[tableView moveRowAtIndex:deletionPoint toIndex:insertionPoint];
}];