当使用“动态原型”来指定UITableView
情节提要上的内容时,有一个“行高”属性可以设置为自定义。
实例化单元格时,不考虑此自定义行高。这是有道理的,因为我使用哪个原型单元是由我的应用程序代码在单元被实例化时决定的。在计算布局时实例化所有单元格会带来性能损失,所以我理解为什么不能这样做。
那么问题是,我能否以某种方式检索给定单元重用标识符的高度,例如
[myTableView heightForCellWithReuseIdentifier:@"MyCellPrototype"];
或者沿着这条线的东西?或者我是否必须在我的应用程序代码中复制明确的行高,随之而来的维护负担?
在@TimothyMoose 的帮助下解决了:
高度存储在单元格本身中,这意味着获取高度的唯一方法是实例化原型。这样做的一种方法是在正常单元回调方法之外预先使单元出列。这是我的小型 POC,它可以工作:
#import "ViewController.h"
@interface ViewController () {
NSDictionary* heights;
}
@end
@implementation ViewController
- (NSString*) _reusableIdentifierForIndexPath:(NSIndexPath *)indexPath
{
return [NSString stringWithFormat:@"C%d", indexPath.row];
}
- (CGFloat) tableView:(UITableView *)tableView heightForRowAtIndexPath:(NSIndexPath *)indexPath
{
if(!heights) {
NSMutableDictionary* hts = [NSMutableDictionary dictionary];
for(NSString* reusableIdentifier in [NSArray arrayWithObjects:@"C0", @"C1", @"C2", nil]) {
CGFloat height = [[tableView dequeueReusableCellWithIdentifier:reusableIdentifier] bounds].size.height;
hts[reusableIdentifier] = [NSNumber numberWithFloat:height];
}
heights = [hts copy];
}
NSString* prototype = [self _reusableIdentifierForIndexPath:indexPath];
return [heights[prototype] floatValue];
}
- (NSInteger) tableView:(UITableView *)tableView numberOfRowsInSection:(NSInteger)section
{
return 3;
}
- (NSInteger)numberOfSectionsInTableView:(UITableView *)tableView
{
return 1;
}
- (UITableViewCell*) tableView:(UITableView *)tableView cellForRowAtIndexPath:(NSIndexPath *)indexPath
{
NSString* prototype = [self _reusableIdentifierForIndexPath:indexPath];
UITableViewCell* cell = [tableView dequeueReusableCellWithIdentifier:prototype];
return cell;
}
@end