我有一个部分或全部更改tableView内容的控件。发生更改后,我设置了一个标记tableViewContentHasChanged
:
BOOL tableViewContentHasChanged = YES;
[self.tableView reloadData];
tableViewContentHasChanged = NO;
我的问题出现在tableView:viewForHeaderInSection:
; 重新加载表视图后,它被称为,因此我的标志在该方法中无效。
简而言之:当表格完全重新加载时,观察的正确方法是什么,所以我可以将标记设置为NO
?而且,我可能做错了什么?
答案 0 :(得分:2)
我认为处理此问题的最佳方法是在其他人提到的数据模型中,但如果您确实需要这样做,则可以执行以下操作:
根据Apple's documentation,当您致电reloadData
时,只会重新加载可见的部分/单元格
因此您需要知道何时渲染最后一个可见标题,以便设置:
tableViewContentHasChanged = YES;
[self.tableView reloadData];
然后在cellForRowAtIndexPath中:获取最后显示的索引并将其存储在成员变量中:
- (UITableViewCell *)tableView:(UITableView *)tableView cellForRowAtIndexPath:(NSIndexPath *)indexPath{
//Your cell creating code here
UITableViewCell * cell = [tableView dequeueReusableCellWithIdentifier:@"TryCell"];
//Set last displayed index here
lastLoadedSectionIndex = indexPath.section;
NSLog(@"Loaded cell at %@",indexPath);
return cell;
}
当调用viewForHeaderInSection:
时,您将知道该重新加载事件中的最后一个标头:
- (UIView *)tableView:(UITableView *)tableView viewForHeaderInSection:(NSInteger)section{
//Create or customize your view
UIView *headerView = [UIView new];
//Toggle tableViewContentHasChanged when it's the last index
if (tableViewContentHasChanged && section == lastLoadedSectionIndex) {
tableViewContentHasChanged = NO;
NSLog(@"Reload Ended");
}
return headerView;
}
请注意,此方法仅在最后一个可见部分至少有一行时才有效。
希望这有帮助。