UItableView的cell优化

tableViewCell的常见设置

// 取消选中的样式(常用) 让当前 cell 按下无反应
cell.selectionStyle = UITableViewCellSelectionStyleNone;

// 设置选中的背景色
UIView *selectedBackgroundView = [[UIView alloc] init];
selectedBackgroundView.backgroundColor = [UIColor redColor];
cell.selectedBackgroundView = selectedBackgroundView;

// 设置默认的背景色
cell.backgroundColor = [UIColor blueColor];

// 设置默认的背景色
UIView *backgroundView = [[UIView alloc] init];
backgroundView.backgroundColor = [UIColor greenColor];
cell.backgroundView = backgroundView;

// backgroundView的优先级 > backgroundColor
// 设置指示器
//设置辅助类型
//    cell.accessoryType = UITableViewCellAccessoryDisclosureIndicator;

cell.accessoryView = [[UISwitch alloc] init];

//优先级 accessoryView >  accessoryType



TableViewCell的循环使用

循环使用的原理

  • 首先,我们在手机界面的看到的tableview的展示时,假设我们看到3个cell展示在界面上,那么实际中系统给我们创建了3 + 1个cell,即为我们看到count+ 1个cell

  • 因为调用tableView的代理方法时,在屏幕滚动的时候会频繁调用代理方法创建cell对象,及会调用- (UITableViewCell *)tableView:(UITableView *)tableView cellForRowAtIndexPath:(NSIndexPath *)indexPath这个方法,频繁的创建cell对象就会曾加系统的系统的负担

  • 为了解决上述问题,所以苹果使用cell的循环使用

    • 我们需要给我们创建的cell,定义一个唯一的标识Identifier
    • 当屏幕滚动的时候,顶层的cell滚出屏幕,那么滚出的cell就被放到缓存池
    • 底部会在缓存池中根据Identifier标识查找,如果存在这种cell就拿出来使用,没有的话就创建

优化方式一

- (UITableViewCell *)tableView:(UITableView *)tableView cellForRowAtIndexPath:(NSIndexPath *)indexPath{
    //定义重用标识
    //static修饰的局部变量 只会初始化一次,分配一次内存
    static NSString *ID = @"cell";
    //在缓存池中寻找cell
    UITableViewCell *cell = [tableView dequeueReusableCellWithIdentifier:ID];
    //没有找到创建cell
    if (cell == nil) {
        cell = [[UITableViewCell alloc] initWithStyle:UITableViewCellStyleValue1 reuseIdentifier:ID];
    }
    
    return cell;
}

优化方式二 注册 cell

  • 定cell的重用标识,全局变量
// 定义重用标识
NSString *ID = @"cell";
  • 注册cell
- (void)viewDidLoad {
    [super viewDidLoad];
   //注册cell
    [self.tableView registerClass:[UITableViewCell class] forCellReuseIdentifier:ID];
    
    //UITableViewCell 可以是自己 自定义的cell
    //也可以通过nib创建的

}

  • 在缓存池中 查找cell
- (UITableViewCell *)tableView:(UITableView *)tableView cellForRowAtIndexPath:(NSIndexPath *)indexPath
{
    //去缓存池中查找cell
    UITableViewCell *cell = [tableView dequeueReusableCellWithIdentifier:ID];

    // 
    cell.textLabel.text = [NSString stringWithFormat:@"cell - %zd", indexPath.row];

    return cell;
}


优化方式3 --通过SB创建UITableViewController自带的cell

  • 在storyboard中设置UITableView的Dynamic Prototypes Cell
Snip20150602_152.png
  • 设置cell的重用标识
Snip20150602_153.png
  • 在代码中利用重用标识获取cell


- (UITableViewCell *)tableView:(UITableView *)tableView cellForRowAtIndexPath:(NSIndexPath *)indexPath
{
  //先根据cell的标识去缓存池中查找可循环利用的cell
  UITableViewCell *cell = [tableView   dequeueReusableCellWithIdentifier:ID];
  // 
 cell.textLabel.text = [NSString stringWithFormat:@"cell - %zd", indexPath.row];

    return cell;
}


你可能感兴趣的:(UItableView的cell优化)