3

考虑以下简单明了的UITableViewController情况:当您点击一行时,它会记录选定的行,当您滑动和删除时,它会删除模型中的一个项目并重新加载数据。

@interface DummyTableViewController : UITableViewController

@property (nonatomic, strong) NSMutableArray *items;

@end

@implementation DummyTableViewController

- (instancetype)initWithStyle:(UITableViewStyle)style
{
    self = [super initWithStyle:style];
    if (self)
    {
        _items = [ @[ @"A", @"B", @"C", @"D", @"E" ] mutableCopy];
    }
    return self;
}

- (NSInteger)numberOfSectionsInTableView:(UITableView *)tableView
{
    return 1;
}

- (NSInteger)tableView:(UITableView *)tableView numberOfRowsInSection:(NSInteger)section
{
    return [self.items count];
}

- (UITableViewCell *)tableView:(UITableView *)tableView cellForRowAtIndexPath:(NSIndexPath *)indexPath
{
    UITableViewCell *cell = [[UITableViewCell alloc] initWithStyle:UITableViewCellStyleSubtitle reuseIdentifier:nil];
    cell.textLabel.text = self.items[indexPath.row];
    return cell;
}

- (void)tableView:(UITableView *)tableView commitEditingStyle:(UITableViewCellEditingStyle)editingStyle forRowAtIndexPath:(NSIndexPath *)indexPath
{
    if (editingStyle == UITableViewCellEditingStyleDelete)
    {
        [self.items removeObjectAtIndex:indexPath.row];
        [tableView reloadData];
    }
}

- (void)tableView:(UITableView *)tableView didSelectRowAtIndexPath:(NSIndexPath *)indexPath
{
    NSLog(@"Row %@ tapped.", self.items[indexPath.row]);
}

在 iOS6 中,这一切都按预期工作,但在 iOS7 中,我得到以下行为:删除一行并重新加载数据后,忽略表格单元格上的第一次下一次点击。只有第二次点击才会再次触发表格单元格选择。知道什么可能导致此问题或如何解决此问题吗?使用上面的代码,问题应该很容易在 iOS7 中重现。

4

1 回答 1

11

当您删除特定行时,tableview 处于编辑状态。所以你必须关闭编辑状态才能让 tableView 回到选择模式。将您的代码更改为此 -

- (void)tableView:(UITableView *)tableView commitEditingStyle:(UITableViewCellEditingStyle)editingStyle forRowAtIndexPath:(NSIndexPath *)indexPath
{
  if (editingStyle == UITableViewCellEditingStyleDelete)
  {
    [self.items removeObjectAtIndex:indexPath.row];

    // Turn off editing state here
    tableView.editing = NO;


    [tableView reloadData];
  }
}
于 2013-10-14T16:33:16.550 回答