我有一个UITableView,其中一些单元格在视图初始化时标有UITableViewCellAccessoryCheckmark。
当用户选择另一行时,我必须检查之前是否达到了所选行的最大数量。为此,我使用了以下代码:
- (NSInteger)tableView:(UITableView *)tableView numberOfSelectedRowsInSection:(NSInteger)section{
NSInteger numberOfRows = [self tableView:tableView numberOfRowsInSection:section];
NSInteger numberOfSelectedRows = 0;
for (int i = 0; i < numberOfRows; i++) {
UITableViewCell *otherCell = [tableView cellForRowAtIndexPath:[NSIndexPath indexPathForRow:i inSection:section]];
if (otherCell.accessoryType == UITableViewCellAccessoryCheckmark) {
numberOfSelectedRows++;
}
}
return numberOfSelectedRows;
}
如果我的行数例如为20,则变量numberOfRows正确设置为20.假设已经有13行已标记为UITableViewCellAccessoryCheckmark。因此,numberOfSelectedRows应该在循环之后为13,但只考虑标记的 VISIBLE 单元格。因此,如果我显示了9个单元格并且标记了7个,则numberOfSelectedRows返回7而不是13(但是迭代20次,如预期的那样)。
这是UITableView的正确行为还是iPhone模拟器的错误?
提前致谢。
答案 0 :(得分:2)
是的,它按设计工作。您永远不应该在视图中存储模型数据。 UITableView对数据一无所知,它只显示单元格(一旦它们滚出屏幕就会将它们抛弃)。您需要将每个单元格的复选标记状态存储在模型对象(例如数组)中,然后从视图控制器中进行访问。
答案 1 :(得分:1)
这是正确的行为。 UITableView不是列表。系统缓存屏幕外的单元以节省内存和CPU,并且不能以有意义的方式迭代它们。
好的,你应该跟踪模型/数据,tableView将跟踪显示它。在我接受uitableView不是列表之前,我遇到了一些问题:)
因此,有一个对象数组,每个对象对应一个单元格中的数据。在构建像这样的单个单元格时:
- (UITableViewCell *)tableView:(UITableView *)tableView cellForRowAtIndexPath:(NSIndexPath *)indexPath {
static NSString *CellIdentifier = @"categoryCell";
UITableViewCell *cell = [tableView dequeueReusableCellWithIdentifier:CellIdentifier];
if (cell == nil) {
cell = [[[UITableViewCell alloc] initWithStyle:UITableViewCellStyleSubtitle reuseIdentifier:CellIdentifier] autorelease];
}
Item *item = [self.itemList objectAtIndex:indexPath.row];
[cell.textLabel setText:[item itemBrand]]; //notice that here we set the cell values
return cell;
}
用户点击您的时间会改变您的模型:
- (void)tableView:(UITableView *)tableView didSelectRowAtIndexPath:(NSIndexPath *)indexPath {
NSLog(@"IndexPat.row%i", indexPath.row);
Item item = (Item*) [self.itemList objectAtIndex:indexPath.row];
//change the state of item
}
这样,tableView将更新为类似于模型/数据,您只需管理模型。