0

我正在尝试使用大型中央调度过滤 NSArray。我能够过滤数组,当我调用[tableView reloadData]正确的值时,NSLog 正在打印;但是视图显示了以前的值。

例如,如果我的项目集合是Red, Orange, Yellow并且我过滤了r,则 NSLogs 将打印有 2 行并且单元格是Redand Orange,但所有三个单元格都将显示。当搜索变为 时ra,NSLog 显示只有 1 行被调用Orange,但单元格RedOrange被显示;

- (void)filterItems:(NSString *)pattern{
       __weak MYSearchViewController *weakSelf = self; 
       dispatch_async(dispatch_get_global_queue(DISPATCH_QUEUE_PRIORITY_DEFAULT, 0), ^{
           NSMutableArray *items = [weakSelf.items copy];
           //lots of code to filter the items 
           dispatch_async(dispatch_get_main_queue(), ^{
               weakSelf.items = [items copy];
               [weakSelf.tableView reloadData];
           });
       });
}
- (NSInteger)tableView:(UITableView *)tableView numberOfRowsInSection:(NSInteger)section
{
    NSLog(@"Rows: %d",[self.items count]);
    return [self.items count];
}
- (UITableViewCell *)tableView:(UITableView *)tableView cellForRowAtIndexPath:(NSIndexPath *)indexPath
{
    static NSString *CellIdentifier = @"MYCell";
    UITableViewCell *cell = [tableView dequeueReusableCellWithIdentifier:CellIdentifier];
    if (cell == nil) {
        cell = [[UITableViewCell alloc]initWithStyle:UITableViewCellStyleDefault
                                          reuseIdentifier:CellIdentifier];
    }
    NSInteger row = [indexPath row];   
    MYItem *item = [self.items objectAtIndex:row];
    //code to setup cell 
    NSLog(@"Row %d, Item %@, Cell %d", row, item.info, cell.tag);
    return cell;
}
4

1 回答 1

2

尝试这个:

- (void)filterItems:(NSString *)pattern
{
       NSMutableArray *array = [NSMutableArray arrayWithArray:items];
       dispatch_async(dispatch_get_global_queue(DISPATCH_QUEUE_PRIORITY_DEFAULT, 0), ^{
           //lots of code to filter the items using "array", NOT items
           dispatch_async(dispatch_get_main_queue(), ^{
               items = array; // or [NSArray arrayWithArray:array] if you really don't want a mutable array
               [tableView reloadData];
           });
       });
}

评论:你不需要使用 self. 是的,当块运行时 self 将被保留,但当块完成时它将再次释放。如果这个对象在它运行时真的可以消失,那么好吧,使用对 self 的弱引用。

您在本地使用“items”作为名称,在块中,我将局部变量名称更改为数组以确保。

于 2012-07-20T23:31:49.573 回答