0

移动行后,我更改了与单元格关联的 biz 的 lineandPin 编号。如果 cellForRowAtIndexpath 再次被调用,那么事情就会顺利进行。

在此处输入图像描述

这是我的代码

- (void)tableView:(UITableView *)tableView moveRowAtIndexPath:(NSIndexPath *)sourceIndexPath toIndexPath:(NSIndexPath *)destinationIndexPath
{
    NSMutableArray *  mutableBusinessBookmarked= self.businessesBookmarked.mutableCopy;
    Business *bizToMove = mutableBusinessBookmarked[sourceIndexPath.row];
    [mutableBusinessBookmarked removeObjectAtIndex:sourceIndexPath.row];
    [mutableBusinessBookmarked insertObject:bizToMove atIndex:destinationIndexPath.row];
    self.businessesBookmarked=mutableBusinessBookmarked;
    [self rearrangePin];
    [tableView moveRowAtIndexPath:sourceIndexPath toIndexPath:destinationIndexPath];
    [self.table reloadData];
}
  1. 我不确定我做得对。我更新了数据模型并调用moveRowAtIndexPath
  2. [tableView moveRowAtIndexPath...似乎什么也没做。无论我是否调用,行都会移动。
  3. 我不认为调用 self.table reloadData 是明智的。但是,我想更新左侧的数字。cellForRowAtindexpath尽管调用了,但仍然没有调用self.table reloadData
4

1 回答 1

3

我建议将您的单元配置逻辑移动到一个单独的方法中。然后在 中moveRowAtIndexPath,可以直接调用这个方法来更新可见单元格。例如:

- (void)configureCell:(UITableViewCell *)cell
{
    NSIndexPath *indexPath = [self.tableView indexPathForCell:cell];
    // Get data for index path and use it to update cell's configuration.
}

- (void)reconfigureVisibleCells
{
    for (UITableViewCell *cell in self.tableView.visibleCells) {
        [self configureCell:cell];
    }
}

- (UITableViewCell *)tableView:(UITableView *)tableView cellForRowAtIndexPath:(NSIndexPath *)indexPath
{
    UITableViewCell *cell = [tableView dequeueReusableCellWithIdentifier:@"MyCellIdentifier"];
    [self configureCell:cell];
    return cell;
}

- (void)tableView:(UITableView *)tableView moveRowAtIndexPath:(NSIndexPath *)sourceIndexPath toIndexPath:(NSIndexPath *)destinationIndexPath
{
    // Update data model. Don't call moveRowAtIndexPath.
    [self reconfigureVisibleCells];
}

- (void)tableView:(UITableView *)tableView willDisplayCell:(UITableViewCell *)cell forRowAtIndexPath:(NSIndexPath *)indexPath
{
    [self configureCell:cell];
}

一些额外的评论:

  1. cellForRowAtIndexPath仅在表格视图需要显示新单元格时调用。永远不会为可见的单元格调用它。
  2. moveRowAtIndexpath当您的数据模型更改并且您需要将该更改传播到 UI 时调用是合适的。您的情况与此相反,即 UI 正在传播对您的数据模型的更改。所以你不会打电话moveRowAtIndexPath
  3. 我总是重新配置单元格,willDisplayCell因为在某些情况下表格视图会在cellForRowAtIndexPath.
于 2013-01-20T02:22:38.197 回答