2

我正在编写显示 TableView 的应用程序,其中包含包含图像的条目。我试图通过在cellForRowAtIndexPath方法中执行这行代码来获取图像:

cell.detailTextLabel.text =  [artistData objectForKey:generesKey];
dispatch_async(backgroundQueue, ^{
         NSURL *url_img = [NSURL URLWithString:[artistData objectForKey:pictureKey]];
        NSData* data = [NSData dataWithContentsOfURL:
                         url_img];
        cell.imageView.image = [UIImage imageWithData:data];
        [self performSelectorOnMainThread:@selector(refreshCell:) withObject:cell waitUntilDone:YES];
    });

设置图像后,我执行包含以下内容的选择器:

-(void)refreshCell:(UITableViewCell*)cell{
    [cell setNeedsDisplay];
    [self.view setNeedsDisplay];
    [self.tableViewOutlet setNeedsDisplay];
}

并且没有显示图像,但是当我单击单元格或滚动整个列表时,会显示图像。为什么我的视图不刷新?我错过了什么吗?

4

3 回答 3

4

setNeedsLayout()调用一个单元就足够了。

swift 4 中,它看起来像这样:

DispatchQueue.global().async {
    let data = try? Data(contentsOf: URL(string: imageUrl)!)
    DispatchQueue.main.async {
        cell.imageView?.image = UIImage(data: data!)
        cell.setNeedsLayout()
    }
}
于 2018-07-10T10:14:09.937 回答
2

你总是可以通过调用重新加载单元格[self.tableView reloadRowsAtIndexPaths@[indexPath] withRowAnimation:UITableViewRowAnimationAutomatic];

为了防止在成功下载图像后出现无限循环,您需要缓存结果。缓存多长时间取决于您。

 NSCache *imageCache = [[NSCache alloc] init];
 imageCache.name = @"My Image Cache";
 UIImage *image = [imageCache objectForKey:url_img];
 if (image) {
    cell.imageView.image = image;
 } else {
    // Do your dispatch async to fetch the image.

    // Once you get the image do
    [imageCache setObject:[UIImage imageWithData:data] forKey:url_img];
}

您会希望 imageCache 成为 ViewController 级别的属性。不要每次都创建一个cellForRowAtIndexPath

于 2014-12-09T18:13:39.380 回答
0

它可能与从后台队列与 UI 交互有关。试试这个:

dispatch_async(backgroundQueue, ^{
    NSURL *url_img = [NSURL URLWithString:[artistData objectForKey:pictureKey]];
    NSData* data = [NSData dataWithContentsOfURL:url_img];
    dispatch_async(dispatch_get_main_queue(), ^{
        cell.imageView.image = [UIImage imageWithData:data];
    });
});
于 2014-12-09T18:04:41.433 回答