在项目中,偶尔需要让 TableView 里支持不同种类的 Cell,比如微博的原创微博和别人转发的微博,就是两种 Cell。又或是类似支付宝的的 timeline 也有各种类型的 Cell。在同一个 TableView 里实现不同种类的 Cell,一般有两种方法,一种是把所有种类的 Cell 先注册了,再根据不同的 identifer 去加载 Cell,一种是在 init 时创建不同的 identifer 的 Cell。
效果图如下。
准备工作
创建一个基类的 CDZBaseCell
,基类 Cell 拥有一些共用的属性和方法,如持有 Model,解析 Model。
创建不同的子类 Cell,以两个子类 CDZTypeACell
和 CDZTypeBCell
为例,继承自 CDZBaseCell
,重写一些方法,如高度,显示视图等等。
DataSource 中准备好判断 index 所在的 Cell 种类的方法(如根据 Model 的 type 属性等)
- (Class)cellClassAtIndexPath:(NSIndexPath *)indexPath{
CDZTableviewItem *item = [self itemAtIndexPath:indexPath];
switch (item.type) {
case typeA:{
return [CDZTypeACell class];
}
break;
case typeB:{
return [CDZTypeBCell class];
}
break;
}
}
- (CDZTableviewItem *)itemAtIndexPath:(NSIndexPath *)indexPath{
return self.itemsArray[indexPath.row];
}
- (NSString *)cellIdentiferAtIndexPath:(NSIndexPath *)indexPath{
return NSStringFromClass([self cellClassAtIndexPath:indexPath]);
}
方法一:先注册,根据 identifer 去加载不同的 cell
先在 TableView 创建时注册需要的不同种类,再判断 index 对应的种类,再根据 identifer 加载子类 Cell。
[self.tableview registerClass:[CDZTypeACell class] forCellReuseIdentifier:NSStringFromClass([CDZTypeBCell class])];
[self.tableView registerClass:[CDZTypeBCell class] forCellReuseIdentifier:NSStringFromClass([CDZTypeBCell class])];
并在 - (UITableViewCell *)tableView:(UITableView *)tableView cellForRowAtIndexPath:(NSIndexPath *)indexPath
中根据重用标识加载 Cell。
- (UITableViewCell *)tableView:(UITableView *)tableView cellForRowAtIndexPath:(NSIndexPath *)indexPath{
CDZBaseCell *cell = [tableView dequeueReusableCellWithIdentifier:[self cellIdentiferAtIndexPath:indexPath] forIndexPath:indexPath];
cell.item = [self itemAtIndexPath:indexPath];
return cell;
}
方法二:在 init 时创建不同 identifer 的 Cell
在 - (UITableViewCell *)tableView:(UITableView *)tableView cellForRowAtIndexPath:(NSIndexPath *)indexPath
中判断 Cell 是否为 nil,并根据 index 所在 Cell 的种类初始化 Cell 和其 identifer。
-(UITableViewCell *)tableView:(UITableView *)tableView cellForRowAtIndexPath:(NSIndexPath *)indexPath{
CDZBaseCell *cell = [tableView dequeueReusableCellWithIdentifier:[self cellIdentiferAtIndexPath:indexPath]];
if (!cell) {
Class cls = [self cellClassAtIndexPath:indexPath];
cell = [[cls alloc]initWithStyle:UITableViewCellStyleDefault reuseIdentifier:[self cellIdentiferAtIndexPath:indexPath]];
}
cell.item = [self itemAtIndexPath:indexPath];
return cell;
}
总结
个人更喜欢第二种,苹果官方文档也推荐第二种方法去重用 Cell。我觉得优点是一个是在 TableView 划分 MVC 架构时,TableView 创建时不需要知道 Cell 的类型,而只需要知道 DataSource,而 DataSource 才是需要去分配 Cell 类型的。第二个是 TableViewCell 的初始化方法并非只能用 initWithStyle
(Collectionview 必须先注册的原因则在于初始化方法只有 initWithFrame
)。而使用了注册,则是在复用池空时默认调用 initWithStyle
的方法,如果需要用别的方法初始化就不可以了。第一种方法可以用在有一些库需要先注册后才能调用的,比如自动计算 Cell 高度的库 FDTemplateLayoutCell
。
最后
所有源码和 Demo
如果您觉得有帮助,不妨给个 star 鼓励一下,欢迎关注&交流