我有一个UITableView,用户应该能够选择(检查)多行。
我的控制器中有一个NSMutableArray来保存所选项目,在我的cellForRowAtIndexPath方法中,我检查该项目是否在该数组中,并相应地返回处于已检查/未检查状态的单元格。
以下是代码:
- (UITableViewCell *)tableView:(UITableView *)tableView cellForRowAtIndexPath:(NSIndexPath *)indexPath
{
static NSString *CellIdentifier = kContactCellReuseIdentifier;
static NSString *searchIdentifier = kContactSearchCellReuseIdentifier;
POContactCell *cell;
// Configure the cell...
if (tableView == self.tableView) {
cell = (POContactCell*)[tableView dequeueReusableCellWithIdentifier:CellIdentifier forIndexPath:indexPath];
cell.contact = self.contacts[indexPath.row];
NSLog(@"Returned cell with name %@", cell.contact.name);
} else {
cell = (POContactCell*)[tableView dequeueReusableCellWithIdentifier:searchIdentifier forIndexPath:indexPath];
cell.contact = self.searchResults[indexPath.row];
}
if ([self.selectedContacts containsObject:cell.contact])
{
NSLog(@"was checked");
cell.accessoryType = UITableViewCellAccessoryCheckmark;
}
else
cell.accessoryType = UITableViewCellAccessoryNone;
return cell;
}
- (void)tableView:(UITableView *)tableView didSelectRowAtIndexPath:(NSIndexPath *)indexPath
{
POContactCell* tappedCell = (POContactCell*)[self tableView:tableView cellForRowAtIndexPath:indexPath];
NSLog(@"Selected contact %@", tappedCell.contact.name);
if ([self.selectedContacts containsObject:tappedCell.contact]) {
// cell is already selected, so deselect it
NSLog(@"It's already selected, so deselect it");
[self.selectedContacts removeObject:tappedCell.contact];
tappedCell.accessoryType = UITableViewCellAccessoryNone;
}
else
{
NSLog(@"It's not already selected, so select it");
[self.selectedContacts addObject:tappedCell.contact];
tappedCell.accessoryType = UITableViewCellAccessoryCheckmark;
}
[tableView reloadRowsAtIndexPaths:[NSArray arrayWithObject:indexPath] withRowAnimation:NO];
}
此代码有效......除了第一个选择。用户点击的第一个单元格将被检查,永远不会被取消选中。我从日志语句中看到,所有单元格都经过完全相同的过程,并且正确识别第一个抽头行的选择状态,即使附件视图没有反映它。
在第一次选择之后,所有其他行都能正常工作。
任何调试想法?
答案 0 :(得分:0)
您应该在所选项目数组中放置self.contacts[indexPath.row]
(或self.searchResults[indexPath.row]
,并在用户点击单元格时检查数组中是否存在这些对象。通过将cell.contact
设置为数据源中的对象并检查数组中的cell.contact
,您似乎就是这样做的。但我会尝试将对象直接放入您的数组中,例如
id contact = self.contacts[indexPath.row];
if ([self.selectedContacs containsObject:contact])
...
并停止检查数组中是否有cell.contact
以确定“selected-ness”。
在UITableView
中,内存中有一小组实际UITableViewCell
个对象,它们会被重用。问题的根源很可能是这个,因为您正在检查cell.contact
是否在您选择的项目集中;重复使用单元格时,除非您编写了自己的prepareForReuse
,否则可能不会(可能不会)清除自定义属性的先前值。
这有意义吗?