我需要帮助才能使用复选框单元格。我目前将该对象添加到tableview。它看起来不错,直到我尝试构建和运行程序,我无法选中复选框。我目前正在使用tableview,它显示项目运行时,每个项目都有一个复选框,所以我可以有多个选项。
我是xcode的新手,我已经因为这个问题而被困了一个星期。我试过谷歌,但仍然没有运气。
非常感谢任何片段,答案或解释。
答案 0 :(得分:5)
首先我们需要编辑此方法:- (void)tableView:(UITableView *)tableView didSelectRowAtIndexPath:(NSIndexPath *)indexPath
。假设您生成了一个基于导航的应用程序,此方法应该已经存在,只会被注释掉。我不知道您的实现的确切细节,但您必须以某种方式跟踪tableView中每个单元格的复选框状态。例如,如果您有一个BOOL数组,则以下代码将起作用:
- (void)tableView:(UITableView *)tableView didSelectRowAtIndexPath:(NSIndexPath *)indexPath {
if (checkboxArray[indexPath.row])
checkboxArray[indexPath.row] = NO;
else
checkboxArray[indexPath.row] = YES;
[self.tableView reloadData];
}
现在我们知道哪些细胞需要在它们旁边有一个复选标记,下一步是修改细胞的显示方式。 - (UITableViewCell *)tableView:(UITableView *)tableView cellForRowAtIndexPath:(NSIndexPath *)indexPath
处理每个单元格的绘制。在前面的示例的基础上,这是显示复选框的方式:
- (UITableViewCell *)tableView:(UITableView *)tableView cellForRowAtIndexPath:(NSIndexPath *)indexPath {
static NSString *CellIdentifier = @"Cell";
UITableViewCell *cell = [tableView dequeueReusableCellWithIdentifier:CellIdentifier];
if (cell == nil) {
cell = [[[UITableViewCell alloc] initWithStyle:UITableViewCellStyleDefault reuseIdentifier:CellIdentifier] autorelease];
}
if (checkboxArray[indexPath.row]) {
cell.accessoryType = UITableViewCellAccessoryCheckmark;
}
else
cell.accessoryType = UITableViewCellAccessoryNone;
// Configure the cell.
return cell;
}
如果我们不调用reloadData,则复选标记将不会显示,直到它出现在屏幕外并重新出现。由于重复使用单元格的方式,您需要每次都显式设置accessoryType。如果仅在选中单元格时设置样式,则在滚动时,可能不一定要检查的其他单元格将具有复选标记。希望这能让您大致了解如何使用复选标记。