reloadRowsAtIndexPaths

reloadRowsAtIndexPaths

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

知道为什么吗?

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

谢谢

最佳答案

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];

07-27 16:39