Personalmente, creo que ambos tutoriales sugeridos tienen un gran defecto cuando se trata de reuseIdentifier
. Si olvida asignarlo en el constructor de la interfaz o lo escribe mal, cargará la punta cada vez que se llame a cellForRowAtIndexPath
.
Jeff LaMarche escribe sobre esto y cómo solucionarlo en este blog post. Además de reuseIdentifier
usa el mismo enfoque que en la documentación de apple en Loading Custom Table-View Cells From Nib Files.
Después de haber leído todos estos artículos que se me ocurrió siguiente código:
Editar: Si el idioma de iOS 5.0 y superior que querrá seguir con Duane Fields' answer
@interface CustomCellWithXib : UITableViewCell
+ (NSString *)reuseIdentifier;
- (id)initWithOwner:(id)owner;
@end
@implementation CustomCellWithXib
+ (UINib*)nib
{
// singleton implementation to get a UINib object
static dispatch_once_t pred = 0;
__strong static UINib* _sharedNibObject = nil;
dispatch_once(&pred, ^{
_sharedNibObject = [UINib nibWithNibName:NSStringFromClass([self class]) bundle:nil];
});
return _sharedNibObject;
}
- (NSString *)reuseIdentifier
{
return [[self class] reuseIdentifier];
}
+ (NSString *)reuseIdentifier
{
// return any identifier you like, in this case the class name
return NSStringFromClass([self class]);
}
- (id)initWithOwner:(id)owner
{
return [[[[self class] nib] instantiateWithOwner:owner options:nil] objectAtIndex:0];
}
@end
UINib (disponible en iOS 4.0 y posterior) se usa aquí como singleton, porque aunque se usa reuseIdentifier
, la celda aún se reinicializa unas 10 veces más o menos. Ahora cellForRowAtIndexPath
se parece a esto:
- (UITableViewCell *)tableView:(UITableView *)tableView cellForRowAtIndexPath:(NSIndexPath *)indexPath
{
CustomCellWithXib *cell = [tableView dequeueReusableCellWithIdentifier:[CustomCellWithXib reuseIdentifier]];
if (cell == nil) {
cell = [[CustomCellWithXib alloc] initWithOwner:self];
}
// do additional cell configuration
return cell;
}
En mi opinión, es la mejor manera. Gracias por esto. Si fuera mi tema, lo marcaría como respuesta. –