因为到新公司,接触了一个别人写好的项目,,项目里有一个话题模块,很显然用的tableview,各种图文存在,有的多了图片,有的文字高度不同,总之cell高度不太好设置。
先说一下,之前公司同事的解决方案,在- (CGFloat)tableView:(UITableView *)tableView heightForRowAtIndexPath:(NSIndexPath *)indexPath方法里每次都根据cell对应的model(数据不同)计算出cell的高度然后return。--pass--他在cell内部的布局也是frame布局,可想而知我看他的代码的感觉(脑袋被驴踢了)。
再说一下我的修改方式。个人热衷于masonry自动布局的方式,一方面比较好布局,不用费力计算各种frame,另一方面,屏幕适配也比较方便,后期修改起来更比frame布局方便几条街,别人看你的代码也不费力。--pass--也许有的同学会说frame布局执行效率更高,对此我不发表意见,萝卜青菜,各有所爱罢了。
好了,开始分享我写这种类似动态自动获取高度的思路,希望可以为大家提供一些好的思路和借鉴。
1、首先,设置-(CGFloat)tableView:(UITableView *)tableView estimatedHeightForRowAtIndexPath:(NSIndexPath *)indexPath这个代理方法,因为tableview被创建显示出来之前会频繁调用- (CGFloat)tableView:(UITableView *)tableView heightForRowAtIndexPath:(NSIndexPath *)indexPath 这个代理方法,如果设置了estimatedHeightForRowAtIndexPath 就不会调用那么多次了,这算是一个优化点。
2、ios6的时候,苹果推出通过提前注册self.tableView registerClass:<#(nullable Class)#> forCellReuseIdentifier:<#(nonnull NSString *)#>然后dequeueReusableCellWithIdentifier:<#(nonnull NSString *)#> forIndexPath:<#(nonnull NSIndexPath *)#>方式创建可重用cell,但经本人亲测,若用这种注册方式创建后,heightForRowAtIndexPath代理会调用三次,而传统cell = [[TestCell alloc] initWithStyle:UITableViewCellStyleDefault reuseIdentifier:cellIdentifier]方式则只会执行一次。
3、ios7.1,tableview创建出来后会先调用是你所有cell个数次的heightForRowAtIndexPath代理方法,然后一直调用cellForRowAtIndexPath(一个屏幕出现几个cell就会调用几次),滚动后会再次调用。而ios8.1,则先遍历调用四轮的heightForRowAtIndexPath,之后交替调用cellForRowAtIndexPath和heightForRowAtIndexPath。
为了性能提升,必然不能让方法走那么多次,因此手动实现estimatedHeightForRowAtIndexPath:很有必要了,实现之后heightForRowAtIndexPath方法就不会提前走许多遍。
4、再说怎么获取动态的高度并存储,因为目前普遍适配ios8了,所以我就按ios8以后版本的需要进行设计。首先在创建一个可变字典,在cellForRowAtIndexPath方法里,indexpath的转化的字符串作为存储的键(key)。cell的模型里添加isNeedUpdate和height属性,在获取数据源模型后,遍历模型isNeedUpdate赋值为yes。
- (UITableViewCell *)tableView:(UITableView *)tableView cellForRowAtIndexPath:(NSIndexPath *)indexPath {
static NSString *cellIdentifier = @"CellIdentifier";
TestCell *cell = [tableView dequeueReusableCellWithIdentifier:cellIdentifier];
if (!cell) {
cell = [[TestCell alloc] initWithStyle:UITableViewCellStyleDefault reuseIdentifier:cellIdentifier];
}
cell.indexPath = indexPath;
cell.block = ^(NSIndexPath *path) {
[tableView reloadRowsAtIndexPaths:@[path] withRowAnimation:UITableViewRowAnimationFade];
};
cell.model = self.dataSource[indexPath.row];
[self.cellDict setValue:cell forKey:[NSString stringWithFormat:@"%zd",indexPath.row]];
return cell;
}
然后在heightForRowAtIndexPath代理里这么写,获取height值,并存储在对应的模型里,isNeedUpdate置nil。
- (CGFloat)tableView:(UITableView *)tableView heightForRowAtIndexPath:(NSIndexPath *)indexPath {
TestCell *cell = (TestCell *)_cellDict[[NSString stringWithFormat:@"%zd",indexPath.row]];
// 如果是注册cell需要加上下边判断,因为会连续执行三次,同时前两次执行字典里存的cell是nil
// if (model.height == 0) {
// model.isNeedUpdate = YES;
// }
if (model.isNeedUpdate) {
model.height = [cell getCellHeight];
model.isNeedUpdate = NO;
}
return model.height;
}
自定义cell中的getCellHeight方法
- (CGFloat)getCellHeight{
[self layoutIfNeeded];
CGRect frame = self.descLabel.frame;
return frame.origin.y + frame.size.height + 20;
}