直接使用SDWebImage 的 sd_setImageWithURL:这个方法传入Gif文件的url地址,则只显示gif的第一张图片,是不会动的。
翻阅了SDWebImage的代码,发现在UIView+WebCache中有个内部方法,外面也可以直接调用
- (void)sd_internalSetImageWithURL:(nullable NSURL *)url
placeholderImage:(nullable UIImage *)placeholder
options:(SDWebImageOptions)options
operationKey:(nullable NSString *)operationKey
setImageBlock:(nullable SDSetImageBlock)setImageBlock
progress:(nullable SDWebImageDownloaderProgressBlock)progressBlock
completed:(nullable SDExternalCompletionBlock)completedBlock;
直接上代码
@weakify(self);
[self.activityImageView sd_internalSetImageWithURL:[NSURL URLWithString:info.image_url] placeholderImage:nil options:0 operationKey:nil setImageBlock:^(UIImage * _Nullable image, NSData * _Nullable imageData) {
if (image && [image isGIF]) {
[self.activityImageView setImage:[UIImage sd_animatedGIFWithData:imageData]];
} else if(image){
[self.activityImageView setImage:image];
}
} progress:nil completed:^(UIImage * _Nullable image, NSError * _Nullable error, SDImageCacheType cacheType, NSURL * _Nullable imageURL) {
@strongify(self);
if (!error) {
self.imageWidthConstraint.constant = image.size.width/3.;
self.imageHeightConstraint.constant = image.size.height/3.;
} else {
self.hidden = YES;
}
}];
代码说明
使用这个方法时需要实现setImageBlock,如果加载的图片是gif,则取imageData,直接调用内部的sd_animatedGIFWithData:即可;如果不是,则按照正常的图片显示即可。(注意,我这个地址可能是普通图片或者gif图片,所以加了判定。如果业务层能确定图片是静态图还是动图,则无需此判定。另外,该block会回调两次,一次是设置placeHoldImage,此时如果holder为nil,则image和imageData两个参数为空;另一次回调是下载完成,设置图片时,这时就可以根据图片类型做对应操作了。)
探索过程
很多同学可能找不到获取图片imageData的方法,所以要么自己建立网络请求,加载这个图片(这样可能就需要自己管理下载的图片和缓存,引入很多逻辑);要么尝试在completedBlock中,再调用sd_animatedGIFWithData:方法,而这里就需要将image转换为imageData,注意这里gif图回调的image的类型是_UIAnimatedImage,使用PNG和JPEG图片转data的方法,如 UIImagePNGRepresentation(UIImage * __nonnull image)等,依然只能获取到第一帧的数据。
细心的同学可能会发现,下载gif图片setImageBlock和completedBlock的回调中,image的类型为_UIAnimatedImage,imageData的类型为NSConcreteData,这两种类型都是内部类。这可能也是image转data行不通的原因。
补充:加载本地gif图片方法
NSString *gifPath = [[NSBundle mainBundle] pathForResource:@"gifTest" ofType:@"gif"];
NSData *gifData = [NSData dataWithContentsOfFile:gifPath];
[self.gifImageView setImage:[UIImage sd_animatedGIFWithData:gifData]];
网友评论