第一种方式:
数据源 dataSource 代理方法:
/**
* 什么时候调用:每当有一个cell进入视野范围内就会调用
*/
- (UITableViewCell *)tableView:(UITableView *)tableView cellForRowAtIndexPath:(NSIndexPath *)indexPath
{
// 0.重用标识:
// 之前跟一个同学讨论过这个问题,确实如此,被static修饰的局部变量:只会初始化一次,在整个程序运行过程中,只有一份内存!
static NSString *identifier = @"cell";
// 1.先根据cell的标识去缓存池中查找可循环利用的cell:
UITableViewCell *cell = [tableView dequeueReusableCellWithIdentifier: identifier];
// 2.如果cell为nil(缓存池找不到对应的cell):
if (cell == nil) {
cell = [[UITableViewCell alloc] initWithStyle:UITableViewCellStyleDefault reuseIdentifier: identifier];
}
// 3.覆盖数据
cell.textLabel.text = [NSString stringWithFormat:@"第%d行", indexPath.row];
return cell;
}
第二种方式:
第二种方式是 richy 老师在周三提到过的register 注册方法,之前 龙哥没用过,感觉一个老师一个方法吧!也挺有意思的感觉这个更直接明了就是告诉你我要注册啦!我要注册啦~我要注册啦...
viewDidLoad
// 定义重用标识(定义全局变量)
NSString * identifier = @"cell";
// 在这个方法中注册cell
- (void)viewDidLoad {
[super viewDidLoad];
// 就是这句话!!!写在viewDidLoad里!写出重用标识
[self.tableView registerClass:[UITableViewCell class] forCellReuseIdentifier: identifier];
}
数据源 dataSource 代理方法:
- (UITableViewCell *)tableView:(UITableView *)tableView cellForRowAtIndexPath:(NSIndexPath *)indexPath
{
// 1.去缓存池中查找cell
UITableViewCell *cell = [tableView dequeueReusableCellWithIdentifier: identifier];
// 2.覆盖数据
cell.textLabel.text = [NSString stringWithFormat:@"第%d行", indexPath.row];
return cell;
}
第三种方式:
第三种方式是听 MJ 老师的视频学到的,这个应该算是最简单的一种了!把代码与 storyboard 联系起来,在storyboard的 tableView里右侧边栏 prototype 处把0改为1,这样 tableView 上就会自己创建出一个系统的 cell ,然后再选择最顶部的动态形式的 cell, 然后往下看一下就是 identifier!!! 熟悉的节奏!没错!!他就是重用标识!!!...... AV8D 跟我一起摇摆吧~~
例图:
// 0.重用标识
// 被static修饰的局部变量:只会初始化一次,在整个程序运行过程中,只有一份内存
static NSString * identifier = @"cell";// (重复的创建销毁创建销毁对内存影响不好!!!)--> static是一定要加的!否则不流畅~这细微的差别也只有像我这种产品狗一样敏锐的眼睛能看到~哈哈哈哈
// 1.先根据cell的标识去缓存池中查找可循环利用的cell
UITableViewCell *cell = [tableView dequeueReusableCellWithIdentifier: identifier];
// 2.覆盖数据
cell.textLabel.text = [NSString stringWithFormat:@"第%d行", indexPath.row];
return cell;