TableView性能与reusableCell

作者: 4d1487047cf6 | 来源:发表于2016-06-14 16:19 被阅读417次

    这是笔者在工作项目中遇到的一个需求。本篇文章将延续上一篇《TableViewCell的收缩展开与动态高度》继续探讨有关TableView性能方面的问题。上一篇中主要涉及到了-beginUpdate触发-tableView:heightForRowAtIndexPath:回调去改变Cell高度,和通过改变Cell中内容的约束优先级去解决约束冲突问题,以及StackView在TableViewCell里的运用。

    TableView性能

    table view性能瓶颈主要集中在-tableView:cellForRowAtIndexPath-tableView:heightForRowAtIndexPath:这两个高频调用的回调函数。上一篇文章中将Cell的stackView内容插入和高度计算都移到了-tableView:didSelectRowAtIndexPath:里,且加了判断标识使得每个cell只计算一次。这也涉及到了性能优化的实践。

    不要在-tableView:heightForRowAtIndexPath:里使用tableView的 -cellForRowAtIndexPath:方法获取cell.

    然而这里还是存在一个问题。

    reuseIdentifier
    - (UITableViewCell *)tableView:(UITableView *)tableView cellForRowAtIndexPath:(NSIndexPath *)indexPath {
    
        static NSString *cellID = @"MyCellID";
        
        MyCell *cell = [tableView dequeueReusableCellWithIdentifier:cellID forIndexPath:indexPath];
        
        [cell loadSumLineByDict:self.dataList[indexPath.row]];
        
        return cell;
    }
    

    关于reuseIdentifier: 我们知道,每一个tableView维护了一个可重用cell的缓存池,当cell视图移出屏幕时,tableView并没有将该cell对象丢弃而是放入缓存池,而当新的cell移入屏幕时调配给其使用。但是请注意拥有相同的 resueIdentifier 的cell并不代表是同一个对象cell,实际上-dequeueReusableCellWithIdentifier:依然会生成至少屏幕一次能容纳下的不同Cell对象个数。而reuseIdentifier更多的是用来界定一种Cell的类型(或形式)。

    本例中Cell的类型都为MyCell没错,实际上涉及到动态插入内容到Cell,每个Cell实际上拥有的高度与内容都不一样了。如果它们依然使用同一个reuseIdentifier的话,将会出现不同Cell内容重复到一块的现象。

    比如,该tableView有15个Cell而屏幕一次能容纳10个Cell,滑动时第1个cell移出屏幕,第11个Cell将移入屏幕,从而重用了第1个Cell的对象。而每一行的展开数据是否已加载的标识是由IndexPath去匹配的,所以即便第11个Cell(即第1个Cell对象)已载入过展开内容,select第11行时依然会加载第11行应有的展开内容。因此再度滑动回第1行时,展开内容已经包括了自己原本以及第11行的信息,第11行亦然。

    所以每一行Cell我们都应该使之为不同对象。

    但是要放弃使用cell可重用机制吗?当然不是,那样性能将难以承受。我们使所有cell都拥有不同的reuseIdentifier来重用。

    // MyTableViewController.m
    
    - (void)viewDidLoad {
        // _dataList为展示数据模型,可确定表格行数。
        [self registerCellsByCount:self.dataList.count];
    }
    
    //批量注册可重用cell
    - (void)registerCellsByCount:(NSInteger)count {
        NSString *cellReuseID;
        for (int i=0; i <count; ++i) {
            cellReuseID = [NSString stringWithFormat:@"MyCell%d", i];
            [self.tableView registerNib:[UINib nibWithNibName:@"MyCell" bundle:nil]
                 forCellReuseIdentifier:cellReuseID];
            [self.cellReuseIdArray addObject:cellReuseID];
        }
    }
    

    由此我们注册了reuseIdentifierMyCell1, MyCell2, ..., MyCelln的一批可重用Cell,而每个Cell的重用仅面向自己对应的row的Cell。

    
    - (UITableViewCell *)tableView:(UITableView *)tableView cellForRowAtIndexPath:(NSIndexPath *)indexPath {
    
        MyCell *cell = [tableView dequeueReusableCellWithIdentifier:self.cellReuseIdArray[indexPath.row] forIndexPath:indexPath];
        
        [cell loadSumLineByDict:self.dataList[indexPath.row]];
        
        return cell;
    }
    

    在页面Cell不是特别多且每行Cell之间不能相互复用的情况下,提供一种思路给大家借鉴。

    相关文章

      网友评论

        本文标题:TableView性能与reusableCell

        本文链接:https://www.haomeiwen.com/subject/nkhudttx.html