TableviewCell的复用实在是老生常谈的问题了, 但在日常code review中发现还是有些人对cell的复用机制比较模糊, 因此在这里总结下.
为什么要cell复用:
项目中表视图随处可见, 当表视图的单元格数量很多时, 如果每展示一个单元格就实例化一个单元格对象, 就会产生极大的性能消耗问题. 关于这点苹果官方文档说的很清楚:
Object allocation has a performance cost, especially if the allocation has to happen repeatedly over a short period—say, when the user scrolls a table view.”
Cell复用机制:
显示表视图时, 会先创建可见个数个的单元格. 一旦视图开始滚动并有单元格消失在视野中时, 消失的单元格就会进入缓存池/复用队列中等待被重用. 当有新的单元格需要显示时, 会先从缓存池中获取可用的单元格, 然后用新的DataSource对这个单元格进行数据配置, 返回给tableview, 重新显示到窗口中, 避免了每次要展示一个单元格就去实例化一个新的的问题.
当一个表视图需要展示不同类型的单元格时, 可以通过reuseIdentifier属性在初始化cell时传入一个特定标识符, 对不同类型的cell进行特殊的标记. Cell和标识符的关系类似字典, 标识符对应cell, 通过标识符去找对应的cell. 有, 就直接复用, 没有则重新创建. 相应的, 在缓存池中也会缓存不同类型的cell以备复用.
Cell复用的两种方式:
手动创建单元格
- (UITableViewCell *)tableView:(UITableView *)tableView cellForRowAtIndexPath:(NSIndexPath *)indexPath {
//去复用队列中找对应标识符的cell (当cell的个数没有多到超出屏幕范围的地步时, 复用队列中不可能有cell)
LKMineCell *cell = [tableView dequeueReusableCellWithIdentifier:@"mineCell"];
//复用队列中没有可以被复用的cell时, 则实例化一个带有指定标识符的cell
if (!cell) {
cell = [[LKMineCell alloc]initWithStyle:UITableViewCellStyleSubtitle reuseIdentifier:@"mineCell"];
}
cell.titleLabelText = @"aaaa";
return cell;
}
系统自动创建单元格
- (UITableView *)tableView {
if (!_tableView) {
_tableView = [[UITableView alloc]initWithFrame:CGRectZero style:UITableViewStyleGrouped];
_tableView.delegate = self;
_tableView.dataSource = self;
//当通过dequeueReusableCellWithIdentifier:获取cell为空时 系统会自动创建register的cell, 因此不需要手动判空并实例化cell
[_tableView registerClass:[LKMineCell class] forCellReuseIdentifier:@"mineCell"];
}
return _tableView;
}
补充: 两种获取复用单元格的方式差异:
- 可以不注册: 需要空值判断
dequeueReusableCellWithIdentifier:
This method dequeues an existing cell if one is available or creates a new one using the class or nib file you previously registered. If no cell is available for reuse and you did not register a class or nib file, this method returns nil.”
- 必须注册: 不需要空值判断
dequeueReusableCellWithIdentifier: forIndexPath:
You must register a class or nib file using the register(:forCellReuseIdentifier:) or register(:forCellReuseIdentifier:) method before calling this method.”
小结: 只要注册了cell 系统就会自动创建指定标识符的cell, 也就不用判空和手动创建
其他相关知识点:
- 将cell上的子控件添加到contentView上
- 调用-layoutSubviews时一定要调用super, 否则会出现不必要的bug(比如: 设置了accessoryType却不显示)
- 使用nib创建, 就使用registerNib注册, dequeue时会调用cell的-awakeFromNib方法
- 手动创建, 就使用registerClass注册, dequeue时会调用cell的-initWithStyle:withReuseableCellIdentifier方法