2

我有一个表格视图,其中包括几个提要单元格,每个单元格都有一些图像。我正在加载这样的图像:

[timeLineCell.avatar setImageWithURL:[NSURL URLWithString:[feedAccount accountAvatarUrl]] placeholderImage:avatarPlaceholderImage options:SDWebImageRetryFailed];

这很好用,但是在慢速连接上,操作往往只是爬升,而不是删除相同图像的旧操作。也就是说 - 如果我向下滚动并通过相同的单元格向后滚动,它会将相同的图像添加到操作队列中第二、第三、第四等时间。

当单元格在 cellForRow 中像这样重用时,我还尝试从下载队列中删除图像:

- (void)prepareForReuse {
    [super prepareForReuse];
    [self.avatar cancelCurrentImageLoad];
}

但似乎该操作与 SDWebImage 方法中操作队列中的任何内容都不匹配,因此它实际上并没有取消任何内容。如果我在共享管理器上运行 cancelAll,它可以工作,但显然并不理想。

我知道我只在这个单元格上显示一个图像,但我已经注释掉了除了这个图像加载之外的所有内容,问题仍然存在。如果我注释掉头像图像并允许下载不同的图像(类似加载),它也会持续存在。

有人对此有任何提示吗?

PS我已经尝试将选项从更改SDWebImageRetryFailed为其他内容,包括根本没有选项,但这没有任何区别。

PPS 我正在使用 CocoaPods (3.4) 上提供的最新版本的 SDWebImage。

4

2 回答 2

1

为了解决这个问题,我实际上稍微编辑了 SDWebImage 框架。首先,我将以下方法添加到SDWebImageManager

- (void)cancelOperation:(id<SDWebImageOperation>)operation {
    @synchronized(self.runningOperations)
    {
        [self.runningOperations removeObject:operation];
    }
}

然后,我修改了- (void)cancel方法SDWebImageCombinedOperation

- (void)cancel
{
    self.cancelled = YES;
    [[SDWebImageManager sharedManager] cancelOperation:self];
    if (self.cacheOperation)
    {
        [self.cacheOperation cancel];
        self.cacheOperation = nil;
    }
    if (self.cancelBlock)
    {
        self.cancelBlock();
        self.cancelBlock = nil;
    }
}

这并没有完全消除在队列中添加额外操作的问题,但是现有的失败操作肯定会更快地清除,因此问题最终不再是问题。我假设看起来队列中添加了更多操作,但那是因为现有的操作还没有检查他们的isCancelled标志。

于 2013-10-31T15:28:01.833 回答
0

我也有这个问题很长一段时间。我真的不知道为什么这个策略不起作用,因为它看起来确实应该。我通过从同一框架切换到另一个 API 方法解决了这个问题。我没有使用速记 UIImageView 类别方法,而是改为使用 downloadWithURL:options:progress:completed。

这就是我在 UITableViewCell 类中得到的结果:

@interface MyTableViewCell ()

@property (nonatomic, weak) id <SDWebImageOperation> imageOperation;

@end

@implementation MyTableViewCell

- (void)prepareForReuse {
    [super prepareForReuse];

    if (self.imageOperation) {
        [self.imageOperation cancel];
    }

    self.imageOperation = nil;
    [self.imageView setImage:self.placeholderImage];
}

- (void)configure {
    SDWebImageManager *manager = [SDWebImageManager sharedManager];
    self.imageOperation = [manager downloadWithURL:self.imageURL
                                           options:SDWebImageRetryFailed
                                          progress:nil
                                         completed:^(UIImage *image, NSError *error, SDImageCacheType cacheType, BOOL finished) {
                                             if (image) {
                                                 [self.imageView setImage:image];
                                             }
                                         }];
}

@end
于 2013-10-31T10:05:28.583 回答