0

我设置。显示最后一个单元格时,通过threadProcess添加单元格。

-(void)tableView:(UITableView *)tableView willDisplayCell:(UITableViewCell *)cell      forRowAtIndexPath:(NSIndexPath *)indexPath
 {
    int nArrayCount;
    nArrayCount=[self.mAppGameList count];
    int row= (int)indexPath.row ;

    if(row == nArrayCount)
    {
        if(mSearchGame_Thread != nil)
            return;

        NextSearchCell *searchCell =(NextSearchCell *)cell;

        [searchCell.mActivityView startAnimating];

        NSThread *searchThread = [[NSThread alloc] initWithTarget:self
                                                         selector:@selector(searchNextThreadProc:) object:tableView];

        self.mSearchGame_Thread = searchThread;
        [searchThread release];
        [self.mSearchGame_Thread start];
        // start new search ...

    }

//线程方法

  -(void)searchNextThreadProc:(id)param
 {

    UITableView *tableView=(id)param;

    NSMutableArray *newArray;

    newArray=[NSMutableArray arrayWithArray:self.mAppGameList];

    NSArray *pressedlist;
    nArrayCount=[self.mAppGameList count];

               .
               .
               .
   [newArray addObject:item];
   self.mAppGameList = newArray;

     [tableView reloadData];

     self.mSearchGame_Thread=nil;
 }

这种方式是有问题的。

  1. 如果我在 tableview 重新加载数据时滚动表格,有一段时间 tableview 消失并出现。

  2. 如果我在添加下一个单元格时触摸单元格,有时会出现坏的 exc 内存。我认为,它在重新加载新表之前调用 tableView: didSelectRowAtIndexPath: 方法。所以,表的数据不是。

所以,我想替换reload tableview的方式。有什么办法吗?请帮我。

4

1 回答 1

2

您可以在 UITableView 中使用此方法通过动画添加新行,而不是使用 reloadData:

- (void)insertRowsAtIndexPaths:(NSArray *)indexPaths withRowAnimation:(UITableViewRowAnimation)animation;

这样,您的视图在重新加载时不会消失并重新出现。

看到这个问题:UITableView 添加单元格动画

还要确保使用以下命令在主线程中执行 UI 的任何刷新:

[self performSelectorOnMainThread:@selector(refreshMethodName) withObject:nil waitUntilDone:NO];

关于您的代码的一些评论:

  • 如果在您的代码中如上使用,请确保您的 mAppGameList 是保留属性或复制属性。否则可能会导致访问不正确。
  • 您应该确保 searchNextThreadProc 不会一次调用多次,否则您可能会遇到时间和性能问题。它看起来不是线程安全的。
  • 通常,您应该将内容数据与 UITableView 分开处理。将表格视图视为显示已存在数据列表的工具。它不应该担心搜索数据等。而是使用一个单独的类来保存您正在使用的 NSMutableArray 中的数据,您可以在需要时不断填充数据。这个类可以通过方法调用触发tableView开始搜索新数据,但要确保刷新过程是线程安全的,并且对UI的多次调用是可持续的!一次 10xrefresh 调用仍然意味着一次只刷新 1 次!(例如,我们不希望同时调用 10 个服务器)这个内容列表应该与 UITableView 的列表完全分开。
  • 当新数据可用时,通过创建可以调用的刷新方法告诉 UITableView 刷新。刷新UITableView时,如果mAppGameList属性为retain或copy,则无需重新添加列表中的所有数据。如果您在包含建议的所有数据的单独类中有一个 NSMutableArray,只需使用类似 self.mAppGameList = [NSArray arrayWithArray:[yourClass gameList]]; (如果您对 mAppGameList 使用保留)
  • 当触发 UITableView 的刷新时,使用 performSelectorOnMainThread。要启动一个新的后台线程,您还可以使用 performSelectorInBackground 而不是 NSThread alloc 等。
于 2012-05-14T15:45:28.363 回答