4

我有一个表格视图,我想在从详细视图返回时取消选择先前选择的单元格,或者在用户创建项目时取消选择新添加的单元格。

reloadData但是,由于有时会添加新项目,因此通过调用来刷新表格viewWillAppear:。这意味着当视图出现时没有选择任何单元格,即使我有self.clearsSelectionOnViewWillAppear = NO.

通过在表格视图出现选择和取消选择单元格(在 中viewDidAppear:),取消选择动画的时间对用户来说是明显不同的(自己试试,它更慢并且感觉不光滑)。

即使在表格视图刷新后,我应该如何保留选择?(请记住,根据情况,我希望取消选择先前选择的单元格或新创建的单元格。)或者我应该以不同的方式重新加载表中的数据?

4

2 回答 2

7

您可以保存NSIndexPathfrom- (void)tableView:(UITableView *)tableView didSelectRowAtIndexPath:(NSIndexPath *)indexPath方法,并在视图重新加载时取消选择该行。

执行此操作的另一种方法是将 theNSIndexPath和 current传递UITableViewControllerUIViewController您正在创建的,当它UIViewController被弹出时,您取消选择特定的行。

创建新项目时,将一个添加到 indexPath 的行元素以取消选择右行。

您还可以仅重新加载已更改的行:

[self.tableView reloadRowsAtIndexPaths:[NSArray arrayWithObject:indexPath]
                      withRowAnimation:UITableViewRowAnimationNone];

[self.tableView selectRowAtIndexPath:indexPath 
                            animated:NO
                      scrollPosition:UITableViewScrollPositionNone];

[self.tableView deselectRowAtIndexPath:indexPath animated:YES];
于 2012-04-26T00:59:13.130 回答
0

更高级的解决方案:

  • 它适用于[self.tableView reloadData].
  • 重新加载后缺少所选行时,它不会崩溃。

示例中的部分代码MyViewController.m

@interface MyViewController ()
{
    MyViewModel* _viewModel;
    NSString* _selectedItemUniqueId;
}

@property (nonatomic, weak) IBOutlet UITableView* tableView;

@end

@implementation MyViewController

#pragma mark - UIViewController methods

- (void)viewDidLoad
{
    [super viewDidLoad];
    _selectedItemUniqueId = nil;
}

- (void)viewWillAppear:(BOOL)animated
{
    [super viewWillAppear:animated];
    [self.tableView reloadData];
}

#pragma mark - UITableViewDelegate

- (void)tableView:(UITableView*)tableView didSelectRowAtIndexPath:(nonnull NSIndexPath *)indexPath
{
    // Get data for selected row.
    Item* item = _viewModel.data.sections[indexPath.section].items[indexPath.row];

    // Remember selection that we could restore it when viewWillAppear calls [self.tableView reloadData].
    _selectedItemUniqueId = item.uniqueId;

    // Go to details view.
}

- (void)tableView:(UITableView*)tableView willDisplayCell:(nonnull UITableViewCell *)cell forRowAtIndexPath:(nonnull NSIndexPath *)indexPath {

    // Get data for row.
    Item* item = _viewModel.data.sections[indexPath.section].items[indexPath.row];

    // Bring back selection which is destroyed by [self.tableView reloadData] in viewWillAppear.
    BOOL selected = _selectedItemUniqueId && [item.uniqueId isEqualToString:_selectedItemUniqueId];
    if (selected) {
        _selectedItemUniqueId = nil;
        [self.tableView selectRowAtIndexPath:indexPath animated:NO scrollPosition:UITableViewScrollPositionNone];
        [self.tableView deselectRowAtIndexPath:indexPath animated:YES];
    }
}

@end
于 2018-08-31T08:36:03.610 回答