UITableView 延迟加载优化



UITableView. 在tableView:cellForRow:atIndexPath:方法中(当数据填充到单元格时),我已经实现了某种延迟加载。如果 key(key==行号)rowData NSDictionary key(key==行号)没有对象,程序将在后台启动requestDataForRow:方法。因此,单元格中的数据在单元格变得可见后会填充一点。代码如下:

static int requestCounter=0;
-(void)requestDataForRow:(NSNumber *)rowIndex
{
    requestCounter++;
    //NSLog(@"requestDataForRow: %i", [rowIndex intValue]);
    PipeListHeavyCellData *cellData=[Database pipeListHeavyCellDataWithJobID:self.jobID andDatabaseIndex:rowIndex];
    [rowData setObject:cellData forKey:[NSString stringWithFormat:@"%i", [rowIndex intValue]]];
    requestCounter--;
    NSLog(@"cellData.number: %@", cellData.number);
    if (requestCounter==0)
    {
        //NSLog(@"reloading pipe table view...");
        [self.pipeTableView performSelectorOnMainThread:@selector(reloadData) withObject:nil waitUntilDone:NO];
    };
}
- (UITableViewCell *)tableView:(UITableView *)tableView cellForRowAtIndexPath:(NSIndexPath *)indexPath
{
    static NSString *MyIdentifier = @"pipeCellIdentifier";
    UITableViewCell *cell = [tableView dequeueReusableCellWithIdentifier:MyIdentifier];
    [[NSBundle mainBundle] loadNibNamed:@"PipesForJobCell" owner:self options:nil];
    cell = pipeCell;
    self.pipeCell = nil;

    PipeListHeavyCellData *cellData=[[PipeListHeavyCellData alloc] init];
    if ([rowData objectForKey:[NSString stringWithFormat:@"%i", indexPath.row]]==nil)
    {
        //NSLog(@"        nil data for row: %i", indexPath.row);
        [self performSelectorInBackground:@selector(requestDataForRow:) withObject:[NSNumber numberWithInt:indexPath.row]];
    }
    else
    {
        //NSLog(@"        has data for row: %i", indexPath.row);
        PipeListHeavyCellData *heavyData=[[PipeListHeavyCellData alloc] init];
        heavyData=(PipeListHeavyCellData *)[rowData objectForKey:[NSString stringWithFormat:@"%i", indexPath.row]];
        cellData._id=[heavyData._id copy];
        cellData.number=[heavyData.number copy];
        cellData.status=[heavyData.status copy];
};

这段代码有效,一切正常,但我的表有 2000 行,如果用户从索引为 10 的单元格滚动到索引为 2000 的单元格非常快。他必须等待很长时间,直到所有拉取数据请求完成(对于第 11、12、13、...、2000 行),因为当用户滚动表视图时行变得可见,因此为它们调用了方法requestDataForRow

如何优化这些内容?

我不得不做类似的事情。您需要创建一个队列,该队列首先处理最近添加的项目。

例如,用户打开表,10 个请求排队。您将第一个对象取消排队并开始获取第一行的数据。但是,用户随后向下滚动到第 31-40 行。然后,您必须在队列中的前 10 行之前插入这些行,因为它们现在的优先级更高。关键是你不要立即启动 10 个请求,而是按顺序处理它们。这样,当用户滚动时,您只会"浪费"一个请求 - 发出的最后一个请求。

实际实现这一点的一种简单方法是使用 [tableView indexPathsForVisibleRows] .

最新更新