1

我在单元格的附件视图中设置了一个带有图像的 uiview,稍后我想删除此视图,以便附件类型可以再次显示为无。以下不起作用 -

  //create cell
        UITableViewCell *newCell = [tableView cellForRowAtIndexPath:indexPath];

        //initialize double tick image
        UIImageView *dtick = [[UIImageView alloc] initWithImage:[UIImage imageNamed:@"dtick.png"]];
        [dtick setFrame:CGRectMake(0,0,20,20)];
        UIView * cellView = [[UIView alloc] initWithFrame:CGRectMake(0,0,20,20)];
        [cellView addSubview:dtick];

 //set accessory type/view of cell
        if (newCell.accessoryType == UITableViewCellAccessoryNone) {
            newCell.accessoryType = UITableViewCellAccessoryCheckmark;
            }
        else if(newCell.accessoryType == UITableViewCellAccessoryCheckmark){
                newCell.accessoryType = UITableViewCellAccessoryNone;
                newCell.accessoryView = cellView;
            }
        else if (newCell.accessoryView == cellView) {
            newCell.accessoryView = nil;
            newCell.accessoryType = UITableViewCellAccessoryNone;
          }

我也试过 [newCell.accessoryView reloadInputViews] 但这也不起作用。

基本上,我想在单击单元格 => 无刻度 -> 一个刻度 -> 双刻度(图像) -> 无刻度时循环这些状态

非常感谢任何帮助,谢谢。

4

1 回答 1

5

您的代码有两个问题:

  • newCell.accessoryView == cellView您将单元格的附件视图与新创建的图像视图进行比较时:这种比较永远不会产生 TRUE。

  • 当您将附件视图设置为图像时,您还将类型设置为UITableViewCellAccessoryNone,以便下次UITableViewCellAccessoryCheckmark再次设置为。换句话说,第二个else if块永远不会被执行。

以下代码可以工作(但我自己没有尝试过):

if (newCell.accessoryView != nil) {
     // image --> none
     newCell.accessoryView = nil;
     newCell.accessoryType = UITableViewCellAccessoryNone;
} else if (newCell.accessoryType == UITableViewCellAccessoryNone) {
     // none --> checkmark
     newCell.accessoryType = UITableViewCellAccessoryCheckmark;
} else if (newCell.accessoryType == UITableViewCellAccessoryCheckmark) {
     // checkmark --> image (the type is ignore as soon as a accessory view is set)
     newCell.accessoryView = cellView;
}
于 2012-07-27T05:14:28.237 回答