一开始使用tableview的时候,碰到最多的问题就是复用问题了,下面是我对有关于复用问题的总结。
首先我们创建一个基本的tableview:
MainTableView=[[UITableView alloc]initWithFrame:CGRectMake(shopDetailView.frame.origin.x, shopDetailView.frame.origin.y+shopDetailView.frame.size.height+20, shopDetailView.frame.size.width, 0) style:UITableViewStylePlain];
MainTableView.dataSource=self;
MainTableView.delegate=self;
[MainTableView registerClass:[addShopDetailTableViewCell class] forCellReuseIdentifier:@"cell1"];
[sele.view addSubview:MainTableView];
在这里使用一个自定义的cell,一般很多情况都会去使用自定义的cell,可以手写和XIB类型,在这里以手写的为例:
-(UITableViewCell *)tableView:(UITableView *)tableView cellForRowAtIndexPath:(NSIndexPath *)indexPath
{
addShopDetailTableViewCell *cell = [shopDetailTableView dequeueReusableCellWithIdentifier:@"cell1" forIndexPath:indexPath];
cell.selectionStyle = UITableViewCellSelectionStyleNone;
return cell;
}
tableview 的复用机制,其实就是将一个cell重复多次使用,这个内部的使用顺序是没有规则的,比如你创建了多个cell,每个cell 都会进入这个方法中,但是实际创建的只有一个cell,其余都为重复使用的,如果你想在这上面加载一个view,
-(UITableViewCell *)tableView:(UITableView *)tableView cellForRowAtIndexPath:(NSIndexPath *)indexPath
{
addShopDetailTableViewCell *cell = [shopDetailTableView dequeueReusableCellWithIdentifier:@"cell1" forIndexPath:indexPath];
cell.selectionStyle = UITableViewCellSelectionStyleNone;
UIView * view = [[UIView alloc]initWithFrame:cell.bounds];
[cell addSubview:view];
return cell;
}
上述这种情况就会产生复用问题,不能在这个方法里面写 alloc init,因为你的cell当从复用池调出时,cell本身就可能已经加载过一次,还存在上一个view,不做出判断,那么又会加载一个view覆盖上去,就会出现复用的问题了。
可以在cell 的创建方法上创建这个view,或者判断cell 是否已经创建过了。
#import "addShopDetailTableViewCell.h"
-(instancetype)initWithStyle:(UITableViewCellStyle)style reuseIdentifier:(NSString *)reuseIdentifier
{
if (self=[super initWithStyle:style reuseIdentifier:reuseIdentifier]) {
self.view =[ [uiview alloc]init];
}
return self;
}
设置他的属性
-(UITableViewCell *)tableView:(UITableView *)tableView cellForRowAtIndexPath:(NSIndexPath *)indexPath
{
addShopDetailTableViewCell *cell = [shopDetailTableView dequeueReusableCellWithIdentifier:@"cell1" forIndexPath:indexPath];
cell.selectionStyle = UITableViewCellSelectionStyleNone;
cell.view .frame = cell.bounds;
[cell addSubview:view];
return cell;
}
新增:在使用tableviewController 的时候,如果界面中出现tabbar,而不给self.tableView设置frame,在ios10.0以下的系统将无法识别高度,会导致tableviewHeadView 与cell重叠,10.0以上不设置也可以,这个bug有点隐秘,自己也是找了好久才发现。
总之,在使用cell复用时,不要在这个方法里面进行alloc init 的使用,希望对刚刚接触的朋友们有一点帮助。