0

我注意到一些非常奇怪的行为,我希望看看是否有其他人遇到过这种情况。我正在进行异步 api 调用(下面的代码)。当调用完成时,从调用结果中填充一个数组,然后我重新加载我的表(这应该会导致cellForRowAtIndexPath被调用),它应该用我的数组数据更新我的表视图。但是,tableview 中的数据仍然不会出现,直到需要从其他方式重新加载 - 例如,如果我通过单击选项卡更改视图然后返回到原始视图。似乎我缺少“刷新表”的某些方面,但是reloadData当异步调用返回时我正在调用。

代码:

-(void)refreshWeeksOffers
{
    [array removeAllObjects];

    NSMutableURLRequest *request =
        [WebRequests createPostRequestWithApiCall:@"getResults" bodyData:@"params={\"locale\" : \"US\"}"];

    [NSURLConnection
     sendAsynchronousRequest:request
     queue:[[NSOperationQueue alloc] init]
     completionHandler:^(NSURLResponse *response,
                         NSData *data,
                         NSError *error)
     {
         if ([data length] >0 && error == nil)
         {
             // parse home page offers from resulting json
             JsonParser *parser = [[JsonParser alloc] initWithData:data];
             array = [parser parseHomepageResults];

             [self.topWeekTable reloadData];

         }
         else if ([data length] == 0 && error == nil)
         {
             NSLog(@"Nothing was downloaded.");
         }
         else if (error != nil){
             NSLog(@"Error = %@", error);
         }

     }];

    [self.topWeekTable reloadData];
}

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

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

-(UITableViewCell *)tableView:(UITableView *)tableView cellForRowAtIndexPath:(NSIndexPath *)indexPath
{
    static NSString *cellIdentifier = @"Cell";
    UITableViewCell *cell = [tableView dequeueReusableCellWithIdentifier:cellIdentifier];

    if(!cell)
    {
        cell = [[UITableViewCell alloc] initWithStyle:UITableViewCellStyleDefault reuseIdentifier:cellIdentifier];
    }

    Offer *currentOffer = (Offer *)[array objectAtIndex:indexPath.row];

    cell.textLabel.text = [NSString stringWithFormat:@"%.1f%% Back", currentOffer.advertisedRate];

    NSData *data = [NSData dataWithContentsOfURL:currentOffer.storeImage];
    UIImage *img = [[UIImage alloc] initWithData:data];

    cell.imageView.image = img;

    return cell;
}
4

1 回答 1

1

这是因为您正在从不支持的后台线程调用 UIKit。

试试这个:

[ self.tableView performSelectorOnMainThread:@selector( reloadData ) withObject:nil waitUntilDone:NO ] ;

我喜欢的另一个策略是这样的:

-(void)startAsyncSomething
{
    [ obj operationWithAsyncHandler:^{
        [ [ NSThread mainThread ] performBlock:^{
            ... handle completion here ...
        } ]
    }]
}

您可以使用如下类别添加-performBlock:NSThread

@implementation NSThread (BlockPerforming)

-(void)performBlock:(void(^)())block
{
    if ( !block ) { return ; }
    [ self performSelector:@selector( performBlock: ) onThread:self withObject:[ block copy ] waitUntilDone:NO ] ;
}

@end
于 2013-01-23T19:27:53.057 回答