12

我有一个 UITableview 可以延迟加载所有不同大小的图像。当图像加载时,我需要更新特定的单元格,所以我发现我需要使用 reloadRowsAtIndexPaths。但是当我使用这个方法时,它仍然为每个单元格调用 heightForRowAtIndexPath 方法。我认为 reloadRowsAtIndexPaths 的全部目的是它只会为您指定的特定行调用 heightForRowAtIndexPath ?

知道为什么吗?

[self.messageTableView beginUpdates];
[self.messageTableView reloadRowsAtIndexPaths:[NSArray arrayWithObject:[NSIndexPath indexPathForRow:count inSection:0]] withRowAnimation:UITableViewRowAnimationNone];
[self.messageTableView endUpdates];

谢谢你

4

1 回答 1

7

endUpdates触发内容大小重新计算,这需要heightForRowAtIndexPath. 这就是它的工作原理。

如果这是一个问题,您可以将您的单元配置逻辑拉到外部cellForRowAtIndexPath并直接重新配置单元,而无需通过reloadRowsAtIndexPaths. 以下是这可能看起来的基本轮廓:

- (UITableViewCell *)tableView:(UITableView *)tableView cellForRowAtIndexPath:(NSIndexPath *)indexPath
{
    NSString *cellId = ...;
    UITableViewCell *cell = [tableView dequeueReusableCellWithIdentifier:cellId];
    if (!cell) {
        cell = [[UITableViewCell alloc] initWithStyle:UITableViewCellStyleDefault reuseIdentifier:cellId];
    }
    [self tableView:tableView configureCell:cell atIndexPath:indexPath];
    return cell;
}

- (void)tableView:(UITableView *)tableView configureCell:(UITableViewCell *)cell atIndexPath:(NSIndexPath *)indexPath
{
    //cell configuration logic here
}

然后,无论您当前在哪里调用reloadRowsAtIndexPaths,您都可以这样做并且heightForRowAtIndexPath不会被调用:

UITableViewCell *cell = [self.messageTableView cellForRowAtIndexPath:indexPath];
[self tableView:self.messageTableView configureCell:cell atIndexPath:indexPath];
于 2013-10-25T19:58:54.603 回答