UITableViewCell的复选与单选
2017-08-10 本文已影响59人
X1aoHey
呼……今天一早就开车去郊区开会谈项目,到下午才回到公司,完美的避开了午休,困死人。
下午写代码的时候需要写cell的复选,这个功能以前有写过,这次写的时候准备记录一下。
复选:
- 系统自带的复选
UITableView有一个editing属性,只要设置
tableView.editing = YES;
就可以进入tableView的编辑状态。不过默认的是cell的删除,需要实现
- (UITableViewCellEditingStyle)tableView:(UITableView*)tableView editingStyleForRowAtIndexPath:(NSIndexPath*)indexPath
{
return UITableViewCellEditingStyleDelete | UITableViewCellEditingStyleInsert;
}
才能进入cell的多选状态。让我们看一下效果:
QQ20170810-161735-HD.gif
注意
不要忘记设置:
tableView.allowsMultipleSelectionDuringEditing = YES;
并且不要设置:
cell.selectionStyle = NO;
不过系统自带的比较有局限性,只能满足基本需求,要是遇到风格特殊的cell,就需要我们自己写代码完成这个功能了。
2.自定义cell的复选
首先,我们需要在自定义的cell中多声明几个属性:
@property (nonatomic, assign) BOOL isSelected; // 判断选中状态
@property (nonatomic, strong) UIButton *selectBtn; // 选中按钮
@property (nonatomic, copy) SelectedBlock block; // 按钮点击的block
在cell.m中实现按钮的点击事件:
- (void)selectedBtnClick
{
_isSelected = !_isSelected;
// 根据选中状态不同设置自定义图片
_isSelected ? [_selectBtn setImage:[UIImage imageNamed:@"111"] forState:UIControlStateNormal] : [_selectBtn setImage:[UIImage imageNamed:@"222"] forState:UIControlStateNormal];
if (_block) {
_block(_isSelected);
}
}
接着,在ViewController.m中:
- (UITableViewCell *)tableView:(UITableView *)tableView cellForRowAtIndexPath:(NSIndexPath *)indexPath
{
// ... 这里自行完成cell的代码
cell.block = ^(BOOL isSelected) {
NSNumber *num = [NSNumber numberWithInteger:indexPath.row];
if (isSelected) {
[_indexArray containsObject:num] ? : [_indexArray addObject:num];
} else {
![_indexArray containsObject:num] ? : [_indexArray removeObject:num];
}
for (NSNumber *num in _indexArray) {
NSLog(@"%@", num);
}
};
return cell;
}
_indexArray是用来存放选中cell的行号的可变数组。如果需要存放更多的数据,可以创建model来存放,同时cell的block也可以进行传值。
效果:
QQ20170810-165901.gif
cell的单选
单选的主要思路是存储选中的cell的index,每点击一个cell判断是否已经选中,未选中则取消上一个cell的选中状态,把刚选中的cell状态改为已选中;已选中则直接取消选中状态。
好困,代码下次贴…